構造化CSVからPDF/A-3を生成しファイル添付するスクリプト解説

Views: 18

本記事では、*構造化CSV*を入力として PDF/A-3 を生成し、さらに関連する XML と CSV を PDF に埋め込む Python スクリプトについて解説します。


Acrobat ReaderでPDF/A-3の添付ファイルパネル(右側のクリップアイコン)を表示している画面
右側のクリップアイコンから添付ファイルを確認できます。


PDF/A-3 請求書(invoice_from_csv_pdfa3_final.pdf)

ダウンロードしたPDFを Acrobat Reader で開き、右側のクリップアイコンをクリックすると添付ファイルが表示されます。
ファイル名をクリックすると、そのファイルを開くか確認されます。

1. PDF/A-3とは

PDF/A は、電子文書を長期保存するための国際標準 (ISO 19005) です。
特に PDF/A-3 では、PDF 内に外部ファイルを添付することが認められており、請求書データや XML、CSV を直接 PDF に埋め込むことが可能です。

これにより、人が読む「見える請求書」と、システム処理用の「構造化データ」を一体でやり取りできるというメリットがあります。
中小企業共通EDIでは、その第4版からPDF/A-3が仕様に含まれました。
また、Peppol BIS Billing 3.0 や日本の JP PINT でも、添付付き PDF/A-3 を扱うケースがあります。

2. core_japan.csvについて

core_japan.csv は、請求書で必要となる標準的な情報項目を定義している日本版のコアインボイス定義表です。
欧州のデジタルインボイスでは、EN 16931-1でインボイスの使用形態とそこでVAT規制などで必要とされる情報項目とその使用方法を規定しています。
構造化CSVに含まれる 列見出し を日本語に置き換えるためのバインディング表としても使用します。

  • C列 … 英語の元キー(たとえば d_NC00 等)

  • H列 … 日本語のラベル(たとえば「統合請求書」)

スクリプトでは、CSVの1行目(カラム名)をこの対応表に基づいて日本語化します。
これにより、生成される PDF の表にもわかりやすい日本語見出しが反映されます。

3. スクリプト処理の解説

以下の Python スクリプトは、入力CSVをPDF/A-3に変換し、XMLとCSVを添付する一連の処理を行います。

# (最終形スクリプト全文)
#!/usr/bin/env python3
# -*- coding: utf-8 -*-

import sys, io, shutil, subprocess, traceback, re
from pathlib import Path
from typing import Dict, List, Any, Iterable, Tuple
import pandas as pd

# ===================== 入出力 =====================
base = Path("PDF_A-3")

xml_src      = (base / "core_invoice_gateway/SME_Example1-minimum.xml").resolve()
csv_src      = (base / "core_invoice_gateway/SME_Example1-minimum.csv").resolve()
core_japan_src  = (base / "core_invoice_gateway/core_japan.csv").resolve()
    
# 生成物(BOM付きCSV)
csv_bom      = csv_src.with_name(csv_src.stem + ".bom.csv")
core_japan_bom  = core_japan_src.with_name(core_japan_src.stem + ".bom.csv")

# PDF 出力
raw_pdf      = (base / "invoice_from_csv.pdf").resolve()
pdfa_pdf     = (base / "invoice_from_csv_pdfa3.pdf").resolve()
final_pdf    = pdfa_pdf.with_name(pdfa_pdf.stem + "_final.pdf")

# ===================== Ghostscript / ICC 自動検出 =====================
if sys.platform.startswith("win"):
    gs_candidates = [
        r"C:\Program Files\gs\gs10.05.1\bin\gswin64c.exe",
        r"C:\Program Files\gs\gs10.04.0\bin\gswin64c.exe",
        shutil.which("gswin64c"),
    ]
    icc_candidates = [
        r"C:\Windows\System32\spool\drivers\color\sRGB Color Space Profile.icm",
        r"C:\Windows\System32\spool\drivers\color\sRGB IEC61966-2.1.icm",
    ]
else:
    gs_candidates = ["/opt/homebrew/bin/gs", "/usr/local/bin/gs", shutil.which("gs")]
    icc_candidates = [
        "/System/Library/ColorSync/Profiles/sRGB Profile.icc",
        "/System/Library/ColorSync/Profiles/sRGB IEC61966-2.1.icc",
    ]

gs = next((Path(p) for p in gs_candidates if p and Path(p).is_file()), None)
icc = next((Path(p) for p in icc_candidates if p and Path(p).is_file()), None)
if not gs:  raise FileNotFoundError("Ghostscript not found. Install it or add to PATH.")
if not icc: raise FileNotFoundError("sRGB ICC profile not found.")
print("GS :", gs)
print("ICC:", icc)

# ===================== 入力存在チェック =====================
for p in [csv_src, core_japan_src, xml_src]:
    if not p.is_file():
        raise FileNotFoundError(f"Missing input: {p}")

# ===================== 1) CSV を BOM 付き utf-8-sig で保存 =====================
def read_csv_guess(path: Path) -> pd.DataFrame:
    for enc in ("utf-8-sig", "utf-8", "cp932"):
        try:
            return pd.read_csv(path, dtype=str, encoding=enc)
        except Exception:
            continue
    data = path.read_bytes()
    try:
        return pd.read_csv(io.BytesIO(data.decode("utf-8").encode()), dtype=str)
    except Exception:
        return pd.read_csv(io.BytesIO(data.decode("cp932", errors="replace").encode()), dtype=str)

def write_csv_bom(df: pd.DataFrame, path: Path):
    df.to_csv(path, index=False, encoding="utf-8-sig")

df_raw   = read_csv_guess(csv_src)
df_bind  = read_csv_guess(core_japan_src)
write_csv_bom(df_raw, csv_bom)
write_csv_bom(df_bind, core_japan_bom)
print("✅ CSVをBOM付きで保存:", csv_bom.name, core_japan_bom.name)

# ===================== 2) ヘッダ日本語化(binding: B→E。d_は切ってlookup) =====================
def choose_cols_for_binding(df: pd.DataFrame):
    cols = list(df.columns)
    # if "C" in cols and "H" in cols:   # 典型
    #     return "C", "H"
    if len(cols) >= 5:
        return cols[2], cols[7]       # 2列目(C相当),7列目(H相当)
    # if len(cols) >= 2:
    #     return cols[0], cols[1]
    raise ValueError("core_japan.csv の列構成を解釈できません")

key_col, val_col = choose_cols_for_binding(df_bind)
bind_map = {str(k).strip(): str(v).strip() for k, v in zip(df_bind[key_col], df_bind[val_col])}

orig_cols = list(df_raw.columns)

def map_header(h: str) -> str:
    key = str(h)
    if key.startswith("d_"):
        key = key[2:]
    return bind_map.get(key, str(h))

jp_cols = [map_header(c) for c in orig_cols]
df = df_raw.copy()
df.columns = jp_cols
df = df.fillna("")  # NaN→空文字(重要)

# 診断
print("✅ ヘッダ日本語化(例):", list(zip(orig_cols[:8], jp_cols[:8])))
print("✅ データ shape:", df.shape)
print("✅ 先頭5行:\n", df.head())

# ===================== 3) d_列ベースのグループ化(dict list で処理) =====================
# 元名→日本語名の対応(d_列解決に使用)
orig_to_jp: Dict[str, str] = dict(zip(orig_cols, jp_cols))

# 必須の Dimension(元名)
dim_keys = ["d_NC00", "d_NC39-NC57", "d_NC39-NC61"]  # group, tax, line
def resolve_jp_dim_cols(df: pd.DataFrame) -> Tuple[str, str, str]:
    resolved = []
    for k in dim_keys:
        jp = orig_to_jp.get(k)
        if not jp or jp not in df.columns:
            raise KeyError(f"必須の Dimension 列 {k}(日本語化後: {jp})が見つかりません")
        resolved.append(jp)
    return tuple(resolved)

jp_d0, jp_dtax, jp_dline = resolve_jp_dim_cols(df)

# DataFrame → dict list
records: List[Dict[str, Any]] = df.to_dict(orient="records")

# d_NC00(日本語化後)を group id、d_NC39-NC57 を TAX、d_NC39-NC61 を LIN 判定に使用
groups: Dict[int, Dict[str, List[Dict[str, Any]]]] = {}
for row in records:
    raw_gid  = str(row.get(jp_d0, "")).strip()
    raw_tax  = str(row.get(jp_dtax, "")).strip()
    raw_line = str(row.get(jp_dline, "")).strip()

    gid = int(raw_gid) if raw_gid.isdigit() else None
    tax = int(raw_tax) if raw_tax.isdigit() else None
    lin = int(raw_line) if raw_line.isdigit() else None
    if gid is None:
        continue

    groups.setdefault(gid, {"HDR": [], "TAX": [], "LIN": []})
    if tax is None and lin is None:
        groups[gid]["HDR"].append(row)
    elif tax is not None:
        groups[gid]["TAX"].append(row)
    else:
        groups[gid]["LIN"].append(row)

print("🧭 グループ概要:")
for gid, sec in sorted(groups.items()):
    print(f"  gid={gid}: HDR={len(sec['HDR'])}, TAX={len(sec['TAX'])}, LIN={len(sec['LIN'])}")

# ===================== 4) セクション内「全行で空の列」を削除 =====================
def _is_blank_value(v: Any) -> bool:
    s = "" if v is None else str(v).strip()
    return (s == "" or s.lower() in {"nan", "none"})

def drop_all_blank_columns(
    rows: List[Dict[str, Any]],
    keep: Iterable[str] | None = None
) -> Tuple[List[Dict[str, Any]], List[str]]:
    if not rows:
        return rows, []
    keep_set = set(keep or [])
    all_keys = set()
    for r in rows:
        all_keys.update(r.keys())
    to_drop = []
    for k in sorted(all_keys - keep_set):
        if all(_is_blank_value(r.get(k)) for r in rows):
            to_drop.append(k)
    if to_drop:
        for r in rows:
            for k in to_drop:
                r.pop(k, None)
    return rows, to_drop

# 例:必ず残したいキー群(必要に応じて追記)
# must_keep_cols = {jp_d0, jp_dtax, jp_dline, "インボイス文書番号", "文書通貨コード"}
must_keep_cols = {jp_d0}

for gid, parts in groups.items():
    for section in ("HDR", "TAX", "LIN"):
        before_keys = set().union(*(r.keys() for r in parts[section])) if parts[section] else set()
        parts[section], dropped = drop_all_blank_columns(parts[section], keep=must_keep_cols)
        after_keys  = set().union(*(r.keys() for r in parts[section])) if parts[section] else set()
        if dropped:
            print(f"🧹 group {gid} {section}: dropped {len(dropped)} cols → {dropped}")
            print(f"    keys {len(before_keys)} → {len(after_keys)}")

# ===================== 5) ReportLab: 縦横反転テーブルでPDF化 =====================
from reportlab.lib.pagesizes import A4
from reportlab.lib import colors
from reportlab.platypus import SimpleDocTemplate, Table, TableStyle, Paragraph, Spacer, PageBreak
from reportlab.pdfbase import pdfmetrics
from reportlab.pdfbase.ttfonts import TTFont
from reportlab.lib.styles import getSampleStyleSheet

def register_jp_font() -> str:
    candidates = [
        (Path(r"C:\Windows\Fonts\YuGothR.ttc"), "YuGothic", 0),
        (Path(r"C:\Windows\Fonts\meiryo.ttc"),  "Meiryo",   0),
        (Path(r"C:\Windows\Fonts\msgothic.ttc"),"MSGothic", 0),
        (Path("fonts/NotoSansJP-Regular.otf"),  "NotoSansJP", None),
    ]
    for p, name, subidx in candidates:
        if p.is_file():
            if p.suffix.lower() == ".ttc":
                pdfmetrics.registerFont(TTFont(name, str(p), subfontIndex=subidx))
            else:
                pdfmetrics.registerFont(TTFont(name, str(p)))
            return name
    return "Helvetica"

font_name = register_jp_font()
styles = getSampleStyleSheet()
for k in ("Heading1","Heading2","BodyText","Normal","Title"):
    if k in styles: styles[k].fontName = font_name

def listdict_to_table_transposed(
    rows: List[Dict[str, Any]],
    *,
    keep_cols: Iterable[str] | None = None,
    drop_blank_cols: bool = False,  # 既に外で実施済み
    font_name: str = "Helvetica",
    styles_obj=None,
) -> Paragraph | Table:
    if not rows:
        return Paragraph("(データなし)", styles_obj["BodyText"] if styles_obj else None)

    # 全キー集合(行ごとに異なっていてもOK)
    all_keys = set()
    for r in rows:
        all_keys.update(r.keys())

    # 転置データ作成
    data: List[List[str]] = []
    record_ids = [f"#{i+1}" for i in range(len(rows))]
    for key in all_keys:
        row_data = [key]  # 項目名
        for r in rows:
            v = r.get(key, "")
            s = "" if _is_blank_value(v) else str(v)
            row_data.append(s)
        data.append(row_data)
    data.insert(0, ["項目名"] + record_ids)

    t = Table(data, repeatRows=1)
    t.setStyle(TableStyle([
        ("FONTNAME", (0,0), (-1,-1), font_name),
        ("FONTSIZE", (0,0), (-1,-1), 8),
        ("GRID", (0,0), (-1,-1), 0.25, colors.grey),
        ("BACKGROUND", (0,0), (-1,0), colors.lightgrey),
        ("ALIGN", (0,0), (-1,-1), "LEFT"),
        ("VALIGN", (0,0), (-1,-1), "TOP"),
    ]))
    return t

# ページ構成(各 gid につき HDR/TAX/LIN の順で転置テーブル)
elems = []
for gid in sorted(groups.keys()):
    parts = groups[gid]
    elems += [Paragraph(f"SME Example / Group {gid}(HDR)", styles["Heading2"]), Spacer(1, 6),
              listdict_to_table_transposed(parts["HDR"], font_name=font_name, styles_obj=styles), PageBreak()]
    elems += [Paragraph(f"SME Example / Group {gid}(TAX)", styles["Heading2"]), Spacer(1, 6),
              listdict_to_table_transposed(parts["TAX"], font_name=font_name, styles_obj=styles), PageBreak()]
    elems += [Paragraph(f"SME Example / Group {gid}(LIN)", styles["Heading2"]), Spacer(1, 6),
              listdict_to_table_transposed(parts["LIN"], font_name=font_name, styles_obj=styles), PageBreak()]

# 末尾 PageBreak 除去
if elems and isinstance(elems[-1], PageBreak):
    elems.pop()

raw_pdf.parent.mkdir(parents=True, exist_ok=True)
doc = SimpleDocTemplate(str(raw_pdf), pagesize=A4, rightMargin=24, leftMargin=24, topMargin=24, bottomMargin=24)
doc.build(elems)
print("✅ PDF 作成:", raw_pdf)

# ===================== 6) Ghostscript で PDF/A-3 変換 =====================
for p in [pdfa_pdf, final_pdf]:
    try: p.unlink(missing_ok=True)
    except Exception: pass

gs_cmd = [
    str(gs), "-dNOSAFER",
    "-dPDFA=3", "-dPDFACompatibilityPolicy=1",
    "-dBATCH","-dNOPAUSE",
    "-sDEVICE=pdfwrite",
    f"-sOutputFile={str(pdfa_pdf)}",
    "-sColorConversionStrategy=RGB",
    f"-sOutputICCProfile={str(icc)}",
    "-dEmbedAllFonts=true",
    str(raw_pdf),
]
p = subprocess.run(gs_cmd, capture_output=True, text=True)
print("GS(PDFA) returncode:", p.returncode)
if p.stdout.strip(): print("GS STDOUT:\n", p.stdout)
if p.stderr.strip(): print("GS STDERR:\n", p.stderr)
if p.returncode != 0:
    raise SystemExit("❌ Ghostscript failed in PDF/A-3 conversion")
print("✅ PDF/A-3:", pdfa_pdf)

# ===================== 7) PDF に XML と BOM付きCSV を添付(/AF 付与) =====================
import pikepdf
from pikepdf import Name, Array, Dictionary

def ensure_ef_names(pdf: pikepdf.Pdf):
    root = pdf.Root
    names = root.get('/Names', None)
    if names is None:
        root['/Names'] = Dictionary()
        names = root['/Names']
    if '/EmbeddedFiles' not in names:
        names['/EmbeddedFiles'] = Dictionary()
    ef_tree = names['/EmbeddedFiles']
    if '/Names' not in ef_tree:
        ef_tree['/Names'] = Array()
    return ef_tree['/Names']

try:
    with pikepdf.open(str(pdfa_pdf)) as pdf:
        # 添付(辞書代入で作成)
        pdf.attachments[xml_src.name] = xml_src.read_bytes()
        pdf.attachments[csv_bom.name] = csv_bom.read_bytes()
        pdf.attachments[core_japan_bom.name] = core_japan_bom.read_bytes()

        # /AFRelationship と /AF を後付け
        ef_names = ensure_ef_names(pdf)  # [name, filespec, ...]
        af_array = pdf.Root.get('/AF', None)
        if af_array is None:
            af_array = Array()
            pdf.Root['/AF'] = af_array

        meta = {
            xml_src.name:      ("Data",        "SME Example XML"),
            csv_bom.name:      ("Data",        "SME CSV (BOM UTF-8)"),
            core_japan_bom.name:  ("Data",        "core_japan CSV (BOM UTF-8)"),
        }
        seen = set()
        for i in range(0, len(ef_names), 2):
            fname_obj    = ef_names[i]
            filespec_ref = ef_names[i + 1]
            fname        = str(fname_obj)
            if fname not in meta or fname in seen:
                continue
            seen.add(fname)
            if hasattr(filespec_ref, "get_object"):
                filespec = filespec_ref.get_object()
                ref_for_af = filespec_ref
            else:
                filespec = filespec_ref
                ref_for_af = pdf.make_indirect(filespec)
            rel, desc = meta[fname]
            filespec['/Desc'] = desc
            filespec['/AFRelationship'] = Name('/' + rel)
            af_array.append(ref_for_af)

        try: final_pdf.unlink(missing_ok=True)
        except Exception: pass
        pdf.save(str(final_pdf))
    print("✅ 添付完了:", final_pdf)

except Exception as e:
    print("❌ 添付時エラー:", e)
    traceback.print_exc()
    raise

3.1. 構造化CSVのDimensionを用いた3つの表への分解

CSV には、d_NC00d_NC39-NC57d_NC39-NC61 といった Dimension列 が含まれています。

  • d_NC00 … グループID(ヘッダ/トランザクション単位)

  • d_NC39-NC57 … 税行(TAX)判定

  • d_NC39-NC61 … 明細行(LIN)判定

これらの値を基準にして、各行を以下の3つに振り分けます:

  • HDR(ヘッダ行) … TAX, LIN が空欄の行

  • TAX(税関連行) … TAX 列に値がある行

  • LIN(明細行) … LIN 列に値がある行

結果として groups[gid]["HDR"] / ["TAX"] / ["LIN"] に分解されます。
さらに、各セクションで「すべての行が空欄」の列は削除され、シンプルな表になります。

3.2. 縦横を入れ替えてページ出力

通常のテーブル出力では列数が多いため、PDFで横幅を超えてしまう問題があります。
そこで、スクリプトではテーブルを 縦横反転 して出力します。

  • 縦方向 … 項目名(列名)

  • 横方向 … レコード番号 (#1, #2, …​)

この方式により、A4縦向きでも情報を収めることができます。
ReportLab の Table クラスを利用し、見出し行にグレー背景を設定するなど可読性も確保しています。

3.3. 添付ファイルの埋め込み

最後に、生成された PDF を Ghostscript で PDF/A-3 に変換した後、pikepdf を使って外部ファイルを添付します。

添付対象は以下のとおりです:

  • 請求書 XML (SME_Example1-minimum.xml)

  • BOM付きCSV (SME_Example1-minimum.bom.csv)

  • core_japan.csv の BOM付き版 (core_japan.bom.csv)

さらに /AFRelationship/AF エントリを設定することで、PDF/A-3 仕様に準拠した「埋め込みファイル」として認識されます。

4. まとめ

本スクリプトにより、次の一連の流れを自動化できます:

  1. 構造化CSVの読み込みと日本語化

  2. Dimensionに基づくHDR/TAX/LINへの分解

  3. 縦横反転テーブルによるPDF化

  4. GhostscriptによるPDF/A-3変換

  5. XMLとCSVファイルの添付

これにより、人間可読と機械可読を兼ね備えた ハイブリッドな請求書PDF を実現できます。

5. 参考

SME_Example1-minimum.xml
<?xml version="1.0" encoding="utf-8" standalone="no"?>
<rsm:SMEinvoice 
	xmlns:rsm="urn:un:unece:uncefact:data:standard:SMEinvoice" 
	xmlns:qdt="urn:un:unece:uncefact:data:standard:QualifiedDataType:31" 
	xmlns:ram="urn:un:unece:uncefact:data:standard:ReusableAggregateBusinessInformationEntity:31" 
	xmlns:udt="urn:un:unece:uncefact:data:standard:UnqualifiedDataType:31" 
	xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" 
	xsi:schemaLocation="urn:un:unece:uncefact:data:standard:SMEinvoice https://www.wuwei.space/core-japan/server/data/schema/data/standard/SMEinvoice.xsd">
    <!-- xsi:schemaLocation="urn:un:unece:uncefact:data:standard:SMEinvoice ../../data/schema/data/standard/SMEinvoice.xsd"> -->
    <rsm:CIExchangedDocumentContext>
        <ram:BusinessProcessSpecifiedCIDocumentContextParameter>
            <ram:ID>urn:fdc:peppol.eu:2017:poacc:billing:01:1.0</ram:ID>
        </ram:BusinessProcessSpecifiedCIDocumentContextParameter>
        <ram:SubsetSpecifiedCIDocumentContextParameter>
            <ram:ID>urn:fdc:peppol:jp:billing:3.0</ram:ID>
        </ram:SubsetSpecifiedCIDocumentContextParameter>
    </rsm:CIExchangedDocumentContext>
    <rsm:CIIHExchangedDocument>
        <ram:ID>156</ram:ID>
        <ram:TypeCode>380</ram:TypeCode>
        <ram:IssueDateTime>
            <udt:DateTimeString>2023-10-24</udt:DateTimeString>
        </ram:IssueDateTime>
    </rsm:CIIHExchangedDocument>
    <rsm:CIIHSupplyChainTradeTransaction>
        <ram:ApplicableCIIHSupplyChainTradeAgreement>
            <ram:SellerCITradeParty>
                <ram:Name>株式会社 〇〇商事</ram:Name>
                <ram:RegisteredID>T1234567890123</ram:RegisteredID>
                <ram:TypeCode>VAT</ram:TypeCode>
                <ram:EndPointURICIUniversalCommunication>
                    <ram:CompleteNumber>1234567890123</ram:CompleteNumber>
                    <ram:ChannelCode>0188</ram:ChannelCode>
                </ram:EndPointURICIUniversalCommunication>
                <ram:PostalCITradeAddress>
                    <ram:CountryID>JP</ram:CountryID>
                </ram:PostalCITradeAddress>
            </ram:SellerCITradeParty>
            <ram:BuyerCITradeParty>
                <ram:Name>株式会社 〇〇物産</ram:Name>
                <ram:EndPointURICIUniversalCommunication>
                    <ram:CompleteNumber>3210987654321</ram:CompleteNumber>
                    <ram:ChannelCode>0188</ram:ChannelCode>
                </ram:EndPointURICIUniversalCommunication>
                <ram:PostalCITradeAddress>
                    <ram:CountryID>JP</ram:CountryID>
                </ram:PostalCITradeAddress>
            </ram:BuyerCITradeParty>
        </ram:ApplicableCIIHSupplyChainTradeAgreement>
        <ram:ApplicableCIIHSupplyChainTradeSettlement>
            <ram:InvoiceCurrencyCode>JPY</ram:InvoiceCurrencyCode>
            <ram:BillingCISpecifiedPeriod>
                <ram:StartDateTime>
                    <udt:DateTimeString>2023-10-18</udt:DateTimeString>
                </ram:StartDateTime>
                <ram:EndDateTime>
                    <udt:DateTimeString>2023-10-18</udt:DateTimeString>
                </ram:EndDateTime>
            </ram:BillingCISpecifiedPeriod>
        </ram:ApplicableCIIHSupplyChainTradeSettlement>
        <ram:IncludedCIILSupplyChainTradeLineItem>
            <ram:SpecifiedCIILSupplyChainTradeSettlement>
                <ram:ApplicableCITradeTax>
                    <ram:CalculatedAmount>25250</ram:CalculatedAmount>
                    <ram:TypeCode>VAT</ram:TypeCode>
                    <ram:BasisAmount>252500</ram:BasisAmount>
                    <ram:CategoryCode>S</ram:CategoryCode>
                    <ram:CurrencyCode>JPY</ram:CurrencyCode>
                    <ram:RateApplicablePercent>10</ram:RateApplicablePercent>
                </ram:ApplicableCITradeTax>
                <ram:ApplicableCITradeTax>
                    <ram:CalculatedAmount>0</ram:CalculatedAmount>
                    <ram:TypeCode>VAT</ram:TypeCode>
                    <ram:BasisAmount>3490</ram:BasisAmount>
                    <ram:CategoryCode>E</ram:CategoryCode>
                    <ram:CurrencyCode>JPY</ram:CurrencyCode>
                    <ram:RateApplicablePercent>0</ram:RateApplicablePercent>
                </ram:ApplicableCITradeTax>
                <ram:SpecifiedCIILTradeSettlementMonetarySummation>
                    <ram:ChargeTotalAmount>0</ram:ChargeTotalAmount>
                    <ram:AllowanceTotalAmount>0</ram:AllowanceTotalAmount>
                    <ram:TaxTotalAmount currencyID="JPY">25250</ram:TaxTotalAmount>
                    <ram:GrossLineTotalAmount>255990</ram:GrossLineTotalAmount>
                    <ram:NetLineTotalAmount>255990</ram:NetLineTotalAmount>
                    <ram:NetIncludingTaxesLineTotalAmount>281240</ram:NetIncludingTaxesLineTotalAmount>
                    <ram:GrandTotalAmount>281240</ram:GrandTotalAmount>
                </ram:SpecifiedCIILTradeSettlementMonetarySummation>
            </ram:SpecifiedCIILSupplyChainTradeSettlement>
            <ram:SubordinateCIILBSubordinateTradeLineItem>
                <ram:ID>1</ram:ID>
                 <ram:SpecifiedCIILBSupplyChainTradeAgreement>
                    <ram:NetPriceProductCITradePrice>
                        <ram:ChargeAmount>50000</ram:ChargeAmount>
                        <ram:BasisQuantity unitCode="H87">1</ram:BasisQuantity>
                    </ram:NetPriceProductCITradePrice>
                </ram:SpecifiedCIILBSupplyChainTradeAgreement>
                <ram:SpecifiedCIILBSupplyChainTradeDelivery>
                    <ram:BilledQuantity unitCode="H87">5</ram:BilledQuantity>
                </ram:SpecifiedCIILBSupplyChainTradeDelivery>
                <ram:SpecifiedCIILBSupplyChainTradeSettlement>
                    <ram:ApplicableCITradeTax>
                        <ram:TypeCode>VAT</ram:TypeCode>
                        <ram:BasisAmount>250000</ram:BasisAmount>
                        <ram:CategoryCode>S</ram:CategoryCode>
                        <ram:RateApplicablePercent>10</ram:RateApplicablePercent>
                    </ram:ApplicableCITradeTax>
                    <ram:BillingCISpecifiedPeriod>
                        <ram:StartDateTime>
                            <udt:DateTimeString>2023-10-18</udt:DateTimeString>
                        </ram:StartDateTime>
                        <ram:EndDateTime>
                            <udt:DateTimeString>2023-10-18</udt:DateTimeString>
                        </ram:EndDateTime>
                    </ram:BillingCISpecifiedPeriod>
                </ram:SpecifiedCIILBSupplyChainTradeSettlement>
                <ram:ApplicableCITradeProduct>
                    <ram:Name>デスクチェア</ram:Name>
                </ram:ApplicableCITradeProduct>
            </ram:SubordinateCIILBSubordinateTradeLineItem>
            <ram:SubordinateCIILBSubordinateTradeLineItem>
                <ram:ID>2</ram:ID>
                <ram:SpecifiedCIILBSupplyChainTradeAgreement>
                    <ram:NetPriceProductCITradePrice>
                        <ram:ChargeAmount>500</ram:ChargeAmount>
                        <ram:BasisQuantity unitCode="H87">1</ram:BasisQuantity>
                    </ram:NetPriceProductCITradePrice>
                </ram:SpecifiedCIILBSupplyChainTradeAgreement>
                <ram:SpecifiedCIILBSupplyChainTradeDelivery>
                    <ram:BilledQuantity unitCode="H87">5</ram:BilledQuantity>
                </ram:SpecifiedCIILBSupplyChainTradeDelivery>
                <ram:SpecifiedCIILBSupplyChainTradeSettlement>
                    <ram:ApplicableCITradeTax>
                        <ram:TypeCode>VAT</ram:TypeCode>
                        <ram:BasisAmount>2500</ram:BasisAmount>
                        <ram:CategoryCode>S</ram:CategoryCode>
                        <ram:RateApplicablePercent>10</ram:RateApplicablePercent>
                    </ram:ApplicableCITradeTax>
                    <ram:BillingCISpecifiedPeriod>
                        <ram:StartDateTime>
                            <udt:DateTimeString>2023-10-18</udt:DateTimeString>
                        </ram:StartDateTime>
                        <ram:EndDateTime>
                            <udt:DateTimeString>2023-10-18</udt:DateTimeString>
                        </ram:EndDateTime>
                    </ram:BillingCISpecifiedPeriod>
                </ram:SpecifiedCIILBSupplyChainTradeSettlement>
                <ram:ApplicableCITradeProduct>
                    <ram:Name>コピー用紙(A4)</ram:Name>
                </ram:ApplicableCITradeProduct>
            </ram:SubordinateCIILBSubordinateTradeLineItem>
            <ram:SubordinateCIILBSubordinateTradeLineItem>
                <ram:ID>3</ram:ID>
                 <ram:SpecifiedCIILBSupplyChainTradeAgreement>
                    <ram:NetPriceProductCITradePrice>
                        <ram:ChargeAmount>349</ram:ChargeAmount>
                        <ram:BasisQuantity unitCode="H87">1</ram:BasisQuantity>
                    </ram:NetPriceProductCITradePrice>
                </ram:SpecifiedCIILBSupplyChainTradeAgreement>
                <ram:SpecifiedCIILBSupplyChainTradeDelivery>
                    <ram:BilledQuantity unitCode="H87">10</ram:BilledQuantity>
                </ram:SpecifiedCIILBSupplyChainTradeDelivery>
                <ram:SpecifiedCIILBSupplyChainTradeSettlement>
                    <ram:ApplicableCITradeTax>
                        <ram:TypeCode>VAT</ram:TypeCode>
                        <ram:BasisAmount>3490</ram:BasisAmount>
                        <ram:CategoryCode>E</ram:CategoryCode>
                        <ram:RateApplicablePercent>0</ram:RateApplicablePercent>
                    </ram:ApplicableCITradeTax>
                    <ram:BillingCISpecifiedPeriod>
                        <ram:StartDateTime>
                            <udt:DateTimeString>2023-10-18</udt:DateTimeString>
                        </ram:StartDateTime>
                        <ram:EndDateTime>
                            <udt:DateTimeString>2023-10-18</udt:DateTimeString>
                        </ram:EndDateTime>
                    </ram:BillingCISpecifiedPeriod>
                </ram:SpecifiedCIILBSupplyChainTradeSettlement>
                <ram:ApplicableCITradeProduct>
                    <ram:Name>検定済教科書(算数)</ram:Name>
                </ram:ApplicableCITradeProduct>
            </ram:SubordinateCIILBSubordinateTradeLineItem>
        </ram:IncludedCIILSupplyChainTradeLineItem>
    </rsm:CIIHSupplyChainTradeTransaction>
</rsm:SMEinvoice>
Table 1. SME_Example1-minimum.csv
d_NC00 d_NC39-NC57 d_NC39-NC61 NC00-01 NC00-07 NC00-15 NC00-19 NC00-21 NC00-22 NC00-29 NC00-30 NC09-05 NC09-07 NC09-08 NC09-11 NC09-12 NC11-07 NC12-05 NC12-09 NC12-10 NC14-07 NC55-01 NC55-02 NC55-03 NC55-04 NC55-05 NC55-06 NC55-07 NC57-01 NC57-02 NC57-03 NC57-04 NC57-05 NC57-07 NC61-01 NC61-03 NC62-01 NC62-02 NC63-04 NC63-05 NC71-01 NC71-02 NC71-04 NC75-07 NC76-02 NC76-07 NC76-08

1

JPY

urn:fdc:peppol.eu:2017:poacc:billing:01:1.0

urn:fdc:peppol:jp:billing:3.0

156

380

2023-10-24

2023-10-18

2023-10-18

株式会社 〇〇商事

T1234567890123

VAT

1234567890123

0188

JP

株式会社 〇〇物産

3210987654321

0188

JP

0

0

25250

255990

255990

281240

281240

1

1

25250

VAT

252500

S

JPY

10

1

2

0

VAT

3490

E

JPY

0

1

1

1

250000

2023-10-18

2023-10-18

5

H87

VAT

S

10

デスクチェア

50000

1

H87

1

2

2

2500

2023-10-18

2023-10-18

5

H87

VAT

S

10

コピー用紙(A4)

500

1

H87

1

3

3

3490

2023-10-18

2023-10-18

10

H87

VAT

E

0

検定済教科書(算数)

349

1

H87

Table 2. core_japan.csv
semSort group id table_id field_id level occurrence term kind class propertyTerm representation associatedClass desc UN_CCL_ID smeKind smeSeq smeID smeTerm smeDesc smeDefault smeOccur smeLevel smeXPath pintSort pintID pintOccur pintLevel pintTerm pintTermJA pintDesc pintDescJA pintDefault pintXPath

1000

鑑ヘッダ

NC00

NC00

NC00

0

0..n

統合請求書

ABIE

Invoice

売り手が発注者に交付する月締め統合請求文書(メッセージ)

MA

1000

CL0

統合請求書

受注者が発注者に交付する月締め統合請求文書(メッセージ)

1

/rsm:SMEinvoice

1000

IBG-00

0

Invoice

デジタルインボイス

/Invoice

1010

鑑ヘッダ

NC00-01

NC00

01

1

1..1

文書通貨コード

BBIE

Invoice

InvoiceCurrencyCode

Code

文書の通貨コード。デフォルトはJPY

UN01005914

BBIE

2030

IID65

文書通貨コード

文書の通貨コード。デフォルトはJPY

1..1

4

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceCurrencyCode

1110

IBT-005

1..1

1

Invoice currency code

請求書通貨コード

The currency in which all Invoice amounts are given except for the Total TAX amount in accounting currency.

請求書に記載された通貨を表すコード。会計通貨での請求書消費税合計金額を除き、請求書に記載されている全て金額の表示の通貨コード。

/Invoice/cbc:DocumentCurrencyCode

1020

鑑ヘッダ

NC00-02

NC00

02

1

0..1

税通貨コード

BBIE

Invoice

TaxCurrencyCode

Code

税の通貨コード。JPY

UN01005913

BBIE

2040

IID64

税通貨コード

税の通貨コード。デフォルトはJPY

JPY

1..1

4

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:TaxCurrencyCode

1120

IBT-006

0..1

1

Tax accounting currency

税会計報告用通貨コード

The currency used for TAX accounting and reporting purposes as accepted or required in the country of the Seller.

会計報告や税務報告に使用する通貨を表すコード。売り手の国で認められたもしくは要求された会計報告や税務報告に使用する通貨を表すコード。

JPY

/Invoice/cbc:TaxCurrencyCode

1030

鑑ヘッダ

NC00-03

NC00

03

1

0..1

支払通貨コード

BBIE

Invoice

PaymentCurrencyCode

Code

請求支払通貨コード(デフォルトはJPY)

UN01005915

BBIE

2050

IID66

支払通貨コード

請求支払通貨コード(デフォルトはJPY)

0..1

4

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PaymentCurrencyCode

1040

鑑ヘッダ

NC00-04

NC00

04

1

0..1

買い手参照

BBIE

Invoice

BuyerReference

Code

買い手によって割り当てられたIDで、買い手の請求書精算業務の処理ワークフローで使用する。

UN01008552

BBIE

1525

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:BuyerReference

1140

IBT-010

0..1

1

Buyer reference

買い手参照

An identifier assigned by the Buyer used for internal routing purposes.

買い手によって割り当てられたIDで、買い手の請求書精算業務の処理ワークフローで使用する。

/Invoice/cbc:BuyerReference

1050

鑑ヘッダ

メッセージの設定内容に関する情報からなるクラス

UN01005479

ASMA

1010

CL1

取引設定クラス

メッセージの設定内容に関する情報からなるクラス

1..1

2

/rsm:SMEinvoice/rsm:CIExchangedDocumentContext

1060

鑑ヘッダ

NC00-05

NC00

05

1

0..1

取引識別子

BBIE

Invoice

TransactionID

Code

メッセージがやり取りされる取引番号

UN01005480

BBIE

1020

ID1

取引識別子

メッセージがやり取りされる取引番号

0..1

3

/rsm:SMEinvoice/rsm:CIExchangedDocumentContext/ram:SpecifiedTransactionID

1070

鑑ヘッダ

NC00-06

NC00

06

1

0..1

処理日時

BBIE

Invoice

TransactionDateTime

Date

メッセージがやり取りされる日時

UN01012746

BBIE

1030

ID2

処理日時

メッセージがやり取りされる日時

0..1

3

/rsm:SMEinvoice/rsm:CIExchangedDocumentContext/ram:ProcessingTransactionDateTime/udt:DateTimeString

1080

鑑ヘッダ

取引設定内容の取引プロセスに関する情報

UN01005481

ASBIE

1040

CL2

取引設定内容/取引プロセスグループ

取引設定内容の取引プロセスに関する情報

1..1

3

/rsm:SMEinvoice/rsm:CIExchangedDocumentContext/ram:BusinessProcessSpecifiedCIDocumentContextParameter

1090

鑑ヘッダ

NC00-07

NC00

07

1

1..1

取引プロセス識別子

BBIE

Invoice

ProcessID

Code

取引プロセスの識別子(ID)\n共通EDIプロバイダがプロセスをセットする

UN01005472

BBIE

1050

ID3

取引プロセス識別子

取引プロセスの識別子(ID)\n共通EDIプロバイダがプロセスをセットする

1..1

4

/rsm:SMEinvoice/rsm:CIExchangedDocumentContext/ram:BusinessProcessSpecifiedCIDocumentContextParameter/ram:ID

1020

IBT-023

1..1

2

Business process type

ビジネスプロセスタイプ

Identifies the business process context in which the transaction appears to enable the Buyer to process the Invoice in an appropriate way.

取引プロセスの名称。買い手が適切な方法で請求書を処理することができるように、取引が行われたビジネスプロセスを識別する。

/Invoice/cbc:ProfileID

1100

鑑ヘッダ

NC00-08

NC00

08

1

0..1

取引プロセス名

BBIE

Invoice

ProcessName

Text

取引プロセスの名称

UN01005473

BBIE

1060

ID4

取引プロセス名

取引プロセスの名称

0..1

4

/rsm:SMEinvoice/rsm:CIExchangedDocumentContext/ram:BusinessProcessSpecifiedCIDocumentContextParameter/ram:Value

1110

鑑ヘッダ

取引プロセスのバージョンに関する情報

UN01005474

ASBIE

1070

取引プロセス/バージョングループ

取引プロセスのバージョンに関する情報

1..1

4

/rsm:SMEinvoice/rsm:CIExchangedDocumentContext/ram:BusinessProcessSpecifiedCIDocumentContextParameter/ram:SpecifiedCIDocumentVersion

1120

鑑ヘッダ

NC00-09

NC00

09

1

1..1

バージョン識別子

BBIE

Invoice

DocumentVersionID

Code

取引プロセスのバージョン識別子

UN01005476

BBIE

1080

ID5

バージョン識別子

取引プロセスのバージョン識別子

1..1

5

/rsm:SMEinvoice/rsm:CIExchangedDocumentContext/ram:BusinessProcessSpecifiedCIDocumentContextParameter/ram:SpecifiedCIDocumentVersion/ram:ID

1130

鑑ヘッダ

NC00-10

NC00

10

1

1..1

バージョン発行日

BBIE

Invoice

DocumentVersionIssueDateTime

Date

取引プロセスのバージョン発行日

UN01005478

BBIE

1090

ID6

バージョン発行日

取引プロセスのバージョン発行日

1..1

5

/rsm:SMEinvoice/rsm:CIExchangedDocumentContext/ram:BusinessProcessSpecifiedCIDocumentContextParameter/ram:SpecifiedCIDocumentVersion/ram:IssueDateTime/udt:DateTimeString

1140

鑑ヘッダ

取引設定内容の取引シナリオに関する情報

UN01005483

ASBIE

1100

CL3

取引設定内容/取引シナリオグループ

取引設定内容の取引シナリオに関する情報

0..1

3

/rsm:SMEinvoice/rsm:CIExchangedDocumentContext/ram:ScenarioSpecifiedCIDocumentContextParameter

1150

鑑ヘッダ

NC00-11

NC00

11

1

0..1

取引シナリオ識別子

BBIE

Invoice

ScenarioID

Code

取引シナリオの識別子(ID)

UN01005472

BBIE

1110

ID7

取引シナリオ識別子

取引シナリオの識別子(ID)

0..1

4

/rsm:SMEinvoice/rsm:CIExchangedDocumentContext/ram:ScenarioSpecifiedCIDocumentContextParameter/ram:ID

1160

鑑ヘッダ

NC00-12

NC00

12

1

0..1

取引シナリオ名

BBIE

Invoice

ScenarioValue

Text

取引シナリオの名称

UN01005473

BBIE

1120

ID8

取引シナリオ名

取引シナリオの名称

0..1

4

/rsm:SMEinvoice/rsm:CIExchangedDocumentContext/ram:ScenarioSpecifiedCIDocumentContextParameter/ram:Value

1170

鑑ヘッダ

取引設定内容のアプリケーションに関する情報

UN01005484

ASBIE

1130

CL4

取引設定内容/アプリケーショングループ

取引設定内容のアプリケーションに関する情報

0..1

3

/rsm:SMEinvoice/rsm:CIExchangedDocumentContext/ram:ApplicationSpecifiedCIDocumentContextParameter

1180

鑑ヘッダ

NC00-13

NC00

13

1

0..1

アプリケーション識別子

BBIE

Invoice

ApplicationID

Code

業務アプリケーションの識別子

UN01005472

BBIE

1140

ID9

アプリケーション識別子

業務アプリケーションの識別子

0..1

4

/rsm:SMEinvoice/rsm:CIExchangedDocumentContext/ram:ApplicationSpecifiedCIDocumentContextParameter/ram:ID

1190

鑑ヘッダ

NC00-14

NC00

14

1

0..1

アプリケーション名

BBIE

Invoice

ApplicationValue

Text

業務アプリケーションの名称

UN01005473

BBIE

1150

ID10

アプリケーション名

業務アプリケーションの名称

0..1

4

/rsm:SMEinvoice/rsm:CIExchangedDocumentContext/ram:ApplicationSpecifiedCIDocumentContextParameter/ram:Value

1200

鑑ヘッダ

取引設定内容の業務領域の情報に関する情報

UN01005486

ASBIE

1160

CL5

取引設定内容/業務領域グループ

取引設定内容の業務領域の情報に関する情報

1..1

3

/rsm:SMEinvoice/rsm:CIExchangedDocumentContext/ram:SubsetSpecifiedCIDocumentContextParameter

1210

鑑ヘッダ

NC00-15

NC00

15

1

1..1

業務領域識別子

BBIE

Invoice

SubsetID

Code

SIPSが付与したメッセージ業務領域識別子(ID)

UN01005472

BBIE

1170

ID11

業務領域識別子

SIPSが付与したメッセージ業務領域識別子(ID)

1..1

4

/rsm:SMEinvoice/rsm:CIExchangedDocumentContext/ram:SubsetSpecifiedCIDocumentContextParameter/ram:ID

1010

IBT-024

1..1

2

Specification identifier

仕様ID

An identification of the specification containing the total set of rules regarding semantic content cardinalities and business rules to which the data contained in the instance document conforms.

取引プロセスのID。セマンティックコンテンツ、カーディナリティや、インスタンス文書に含まれているデータが準拠すべきビジネスルールに関するルール一式を含む、仕様を識別する。

/Invoice/cbc:CustomizationID

1220

鑑ヘッダ

NC00-16

NC00

16

1

0..1

業務領域名

BBIE

Invoice

SubsetValue

Text

SIPSが付与したメッセージ業務領域名称

UN01005473

BBIE

1180

ID12

業務領域名

SIPSが付与したメッセージ業務領域名称

0..1

4

/rsm:SMEinvoice/rsm:CIExchangedDocumentContext/ram:SubsetSpecifiedCIDocumentContextParameter/ram:Value

1230

鑑ヘッダ

業務領域のバージョンに関する情報

UN01005474

ASBIE

1190

業務領域/バージョングループ

業務領域のバージョンに関する情報

1..1

4

/rsm:SMEinvoice/rsm:CIExchangedDocumentContext/ram:SubsetSpecifiedCIDocumentContextParameter/ram:SpecifiedCIDocumentVersion

1240

鑑ヘッダ

NC00-17

NC00

17

1

0..1

バージョン識別子

BBIE

Invoice

VersionID

Code

業務領域のバージョン識別子

UN01005476

BBIE

1200

ID13

バージョン識別子

業務領域のバージョン識別子

1..1

5

/rsm:SMEinvoice/rsm:CIExchangedDocumentContext/ram:SubsetSpecifiedCIDocumentContextParameter/ram:SpecifiedCIDocumentVersion/ram:ID

1250

鑑ヘッダ

NC00-18

NC00

18

1

0..1

バージョン発行日

BBIE

Invoice

VersionDateTime

Date

業務領域のバージョン発行日

UN01005478

BBIE

1210

ID14

バージョン発行日

業務領域のバージョン発行日

1..1

5

/rsm:SMEinvoice/rsm:CIExchangedDocumentContext/ram:SubsetSpecifiedCIDocumentContextParameter/ram:SpecifiedCIDocumentVersion/ram:IssueDateTime/udt:DateTimeString

1260

鑑ヘッダ

インボイス文書に関する情報項目のクラス

UN01005861

ASMA

1220

ICL1

インボイス文書クラス

インボイス文書に関する情報項目のクラス

1..1

2

/rsm:SMEinvoice/rsm:CIIHExchangedDocument

1270

鑑ヘッダ

NC00-19

NC00

19

1

1..1

インボイス文書番号

BBIE

Invoice

DocumentID

Identifier

インボイス文書を識別する文書番号または文書文字列

UN01005862

BBIE

1230

IID1

インボイス文書番号

インボイス文書を識別する文書番号または文書文字列

1..1

3

/rsm:SMEinvoice/rsm:CIIHExchangedDocument/ram:ID

1030

IBT-001

1..1

1

Invoice number

請求書番号

A unique identification of the Invoice.

請求書の一意識別番号。

/Invoice/cbc:ID

1280

鑑ヘッダ

NC00-20

NC00

20

1

0..1

インボイス文書名

BBIE

Invoice

DocumentName

Text

インボイス文書の文書名称

UN01005863

BBIE

1240

IID2

インボイス文書名

インボイス文書の文書名称

0..1

3

/rsm:SMEinvoice/rsm:CIIHExchangedDocument/ram:Name

1290

鑑ヘッダ

NC00-21

NC00

21

1

1..1

インボイス文書タイプコード

BBIE

Invoice

DocumentTypeCode

Code

インボイス文書のタイプを識別するコード\nデフォルトは「合算請求書パターン1」

UN01005864

BBIE

1250

IID3

インボイス文書タイプコード

インボイス文書のタイプを識別するコード\nデフォルトは「合算請求書パターン1」

1..1

3

/rsm:SMEinvoice/rsm:CIIHExchangedDocument/ram:TypeCode

1070

IBT-003

1..1

1

Invoice type code

請求書タイプコード

A code specifying the functional type of the Invoice.

この文書のタイプを識別するコード。請求書の機能を特定するためのコード。

/Invoice/cbc:InvoiceTypeCode

1300

鑑ヘッダ

NC00-22

NC00

22

1

1..1

インボイス文書発効日

BBIE

Invoice

DocumentIssueDateTime

Date

インボイス文書の発行日付,またはインボイス文書の書面上の発行日付。

UN01005865

BBIE

1260

IID4

インボイス文書発効日

インボイス文書の発行日付,またはインボイス文書の書面上の発行日付。

1..1

3

/rsm:SMEinvoice/rsm:CIIHExchangedDocument/ram:IssueDateTime/udt:DateTimeString

1040

IBT-002

1..1

1

Invoice issue date

請求書発行日

The date when the Invoice was issued.

請求書の発行日付。

/Invoice/cbc:IssueDate

1310

鑑ヘッダ

インボイス文書の発行時刻,またはインボイス文書の書面上の発行異国。

1050

IBT-168

0..1

1

Invoice issue time

請求書発行時刻

The time of day when an invoice was issued

請求書の発行時刻。

/Invoice/cbc:IssueTime

1320

鑑ヘッダ

NC00-23

NC00

23

1

0..1

インボイス文書目的コード

BBIE

Invoice

DocumentPurposeCode

Code

請求者が請求書の目的(新規、変更、取消、打切り)を管理するために付番したコード

UN01005869

BBIE

1270

IID5

インボイス文書目的コード

請求者が請求書の目的(新規、変更、取消、打切り)を管理するために付番したコード

0..1

3

/rsm:SMEinvoice/rsm:CIIHExchangedDocument/ram:PurposeCode

1330

鑑ヘッダ

NC00-24

NC00

24

1

0..1

インボイス文書履歴番号

BBIE

Invoice

DocumentPreviousRevisionID

Code

インボイス文書の変更履歴を管理する番

UN01005874

BBIE

1280

IID6

インボイス文書履歴番号

インボイス文書の変更履歴を管理する番

0..1

3

/rsm:SMEinvoice/rsm:CIIHExchangedDocument/ram:PreviousRevisionID

1340

鑑ヘッダ

NC00-25

NC00

25

1

1..1

インボイス文書類型コード

BBIE

Invoice

DocumentCategoryCode

Code

インボイス文書の類型(単一文書日本円取引、単一文書外貨建て取引、統合文書日本円取引等)を識別するコード\nデフォルトは「単一文書日本円取引」

UN01005875

BBIE

1290

IID7

インボイス文書類型コード

インボイス文書の類型(単一文書日本円取引、単一文書外貨建て取引、統合文書日本円取引等)を識別するコード\nデフォルトは「単一文書日本円取引」

?

1..1

3

/rsm:SMEinvoice/rsm:CIIHExchangedDocument/ram:CategoryCode

1350

鑑ヘッダ

NC00-26

NC00

26

1

1..1

インボイス文書サブタイプコード

BBIE

Invoice

DocumentSubtypeCode

Code

地域固有の文書のタイプを識別するコード\nデフォルトは「合算請求書パターン1」

UN01014636

BBIE

1300

IID8

インボイス文書サブタイプコード

地域固有の文書のタイプを識別するコード\nデフォルトは「合算請求書パターン1」

?

1..1

3

/rsm:SMEinvoice/rsm:CIIHExchangedDocument/ram:SubtypeCode

1360

鑑ヘッダ

プロジェクト調達に関する情報のクラス

UN01011516

ASBIE

1990

ICL13

インボイス文書契約/プロジェクト調達グループ

プロジェクト調達に関するグループ

0..1

4

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:SpecifiedProcuringProject

1420

0..1

/Invoice/cac:ProjectReference

1370

鑑ヘッダ

NC00-27

NC00

27

1

0..1

プロジェクト調達番号

BBIE

Invoice

ProcureingProjectID

Document Reference

発注品に関するプロジェクト・工事案件等を管理するための番号。

UN01000372

BBIE

2000

IID62

プロジェクト番号

発注品に関するプロジェクト・工事案件等を管理するための番号。

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:SpecifiedProcuringProject/ram:ID

1430

IBT-011

0..1

1

Project reference

プロジェクト参照

The identification of the project the invoice refers to

発注品に関するプロジェクト・工事案件等を管理するための番号。

/Invoice/cac:ProjectReference/cbc:ID

1380

鑑ヘッダ

NC00-28

NC00

28

1

0..1

プロジェクト調達名

BBIE

Invoice

ProcureingProjectName

Text

発注品に関するプロジェクト・工事案件等の名称。

UN01000374

BBIE

2010

IID63

プロジェクト名

発注品に関するプロジェクト・工事案件等の名称。

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:SpecifiedProcuringProject/ram:Name

1390

鑑ヘッダ

ヘッダ取引期間に関する情報からなるクラス

UN01005925

ASBIE

3430

ICL37

インボイス文書決済/鑑ヘッダ取引期間グループ

インボイス文書の取引期間に関するグループ

0..1

4

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:BillingCISpecifiedPeriod

1150

IBG-14

0..1

2

INVOICING PERIOD

請求期間

A group of business terms providing information on the invoice period.

請求期間に関わる情報を提供するビジネス用語のグループ。

/Invoice/cac:InvoicePeriod

1400

鑑ヘッダ

NC00-29

NC00

29

1

1..1

鑑ヘッダ取引開始日

BBIE

Invoice

PeriodStartDateTime

Date

インボイス文書の取引開始日

UN01005612

BBIE

3440

IID161

鑑ヘッダ取引開始日

インボイス文書の取引開始日

1..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:BillingCISpecifiedPeriod/ram:StartDateTime/udt:DateTimeString

1160

IBT-073

0..1

3

Invoicing period start date

請求期間開始日

The date when the Invoice period starts.

請求期間開始日。

/Invoice/cac:InvoicePeriod/cbc:StartDate

1410

鑑ヘッダ

NC00-30

NC00

30

1

1..1

鑑ヘッダ取引終了日

BBIE

Invoice

PeriodEndDateTime

Date

インボイス文書の取引終了日

UN01005613

BBIE

3450

IID162

鑑ヘッダ取引終了日

インボイス文書の取引終了日

1..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:BillingCISpecifiedPeriod/ram:EndDateTime/udt:DateTimeString

1170

IBT-074

0..1

3

Invoicing period end date

請求期間終了日

The date when the Invoice period ends.

請求期間終了日。

/Invoice/cac:InvoicePeriod/cbc:EndDate

1420

鑑ヘッダ

NC00-NC01

NC00

NC01

1

0..1

請求者為替

ASBIE

Invoice

Applicable

__

Invoice_CurrencyExchange

請求に関する為替に関するグループ

UN01005921

ASBIE

2060

ICL29

インボイス文書決済/請求者為替グループ

請求に関する為替に関するグループ

0..1

4

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceApplicableCITradeCurrencyExchange

1430

鑑ヘッダ

NC01-01

NC01

01

2

0..1

為替交換元通貨コード

BBIE

Invoice_CurrencyExchange

SourceCurrencyCode

Code

為替における交換元通貨を表すコード\nデフォルト=「JPY」

UN01005739

BBIE

2070

IID133

為替交換元通貨コード

為替における交換元通貨を表すコード\nデフォルト=「JPY」

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceApplicableCITradeCurrencyExchange/ram:SourceCurrencyCode

1440

鑑ヘッダ

NC01-02

NC01

02

2

0..1

為替交換先通貨コード

BBIE

Invoice_CurrencyExchange

TargetCurrencyCode

Code

為替における交換先通貨を表すコード\nデフォルト=「JPY」

UN01005741

BBIE

2080

IID134

為替交換先通貨コード

為替における交換先通貨を表すコード\nデフォルト=「JPY」

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceApplicableCITradeCurrencyExchange/ram:TargetCurrencyCode

1450

鑑ヘッダ

NC01-03

NC01

03

2

0..1

為替レート

BBIE

Invoice_CurrencyExchange

ConversionRate

Percentage

為替交換のレート

UN01005744

BBIE

2090

IID135

為替レート

為替交換のレート

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceApplicableCITradeCurrencyExchange/ram:ConversionRate

1460

鑑ヘッダ

NC01-04

NC01

04

2

0..1

為替レート日時

BBIE

Invoice_CurrencyExchange

ConversionRateDateTime

Date

為替交換レートの適用日。

UN01005745

BBIE

2100

IID136

為替レート日時

為替交換レートの適用日。

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceApplicableCITradeCurrencyExchange/ram:ConversionRateDateTime/udt:DateTimeString

1470

鑑ヘッダ

NC00-NC02

NC00

NC02

1

0..1

支払者為替

ASBIE

Invoice

Applicable

__

Payment_CurrencyExchange

支払いに関する為替に関するグループ

UN01005922

ASBIE

2110

ICL30

インボイス文書決済/支払者為替グループ

支払いに関する為替に関するグループ

0..1

4

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PaymentApplicableCITradeCurrencyExchange

1480

鑑ヘッダ

NC02-01

NC02

01

2

0..1

為替交換元通貨コード

BBIE

Payment_CurrencyExchange

SourceCurrencyCode

Code

為替における交換元通貨を表すコード

UN01005739

BBIE

2120

IID137

為替交換元通貨コード

為替における交換元通貨を表すコード

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PaymentApplicableCITradeCurrencyExchange/ram:SourceCurrencyCode

1490

鑑ヘッダ

NC02-02

NC02

02

2

0..1

為替交換先通貨コード

BBIE

Payment_CurrencyExchange

TargetCurrencyCode

Code

為替における交換先通貨を表すコード

UN01005741

BBIE

2130

IID138

為替交換先通貨コード

為替における交換先通貨を表すコード

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PaymentApplicableCITradeCurrencyExchange/ram:TargetCurrencyCode

1500

鑑ヘッダ

NC02-03

NC02

03

2

0..1

為替レート

BBIE

Payment_CurrencyExchange

ConversionRate

Percentage

為替交換のレート

UN01005744

BBIE

2140

IID139

為替レート

為替交換のレート

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PaymentApplicableCITradeCurrencyExchange/ram:ConversionRate

1510

鑑ヘッダ

NC02-04

NC02

04

2

0..1

為替レート日時

BBIE

Payment_CurrencyExchange

ConversionRateDateTime

Date

為替交換レートの適用日。

UN01005745

BBIE

2150

IID140

為替レート日時

為替交換レートの適用日。

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PaymentApplicableCITradeCurrencyExchange/ram:ConversionRateDateTime/udt:DateTimeString

1520

鑑ヘッダ

NC00-NC03

NC00

NC03

1

0..n

インボイス文書注釈

ASBIE

Invoice

Included

__

Note

インボイス文書の注釈を記述するためのクラス

UN01005876

ASBIE

1310

ICL2

インボイス文書/注釈グループ

インボイス文書に含まれる注釈。

0..n

3

/rsm:SMEinvoice/rsm:CIIHExchangedDocument/ram:IncludedCINote

1080

0..n

/Invoice

1530

鑑ヘッダ

NC03-01

NC03

01

2

0..1

インボイス文書注釈表題

BBIE

Note

Subject

Text

注釈内容の表題を示す。

UN01005558

BBIE

1320

IID9

インボイス文書注釈表題

注釈内容の表題を示す。

0..1

4

/rsm:SMEinvoice/rsm:CIIHExchangedDocument/ram:IncludedCINote/ram:Subject

1540

鑑ヘッダ

NC03-02

NC03

02

2

0..1

インボイス文書注釈内容

BBIE

Note

Content

Text

注釈項目毎の内容情報を入力するフリースペース。

UN01005560

BBIE

1330

IID10

インボイス文書注釈内容

注釈項目毎の内容情報を入力するフリースペース。

0..1

4

/rsm:SMEinvoice/rsm:CIIHExchangedDocument/ram:IncludedCINote/ram:Content

1090

IBT-022

0..1

1

Invoice note

請求書注釈内容

A textual note that gives unstructured information that is relevant to the Invoice as a whole.

注釈の内容を入力するフリースペース。

/Invoice/cbc:Note

1550

鑑ヘッダ

NC03-03

NC03

03

2

0..1

インボイス文書注釈識別子

BBIE

Note

ID

Code

注釈の識別番号

UN01005562

BBIE

1340

IID11

インボイス文書注釈識別子

注釈の識別番号

0..1

4

/rsm:SMEinvoice/rsm:CIIHExchangedDocument/ram:IncludedCINote/ram:ID

1560

鑑ヘッダ

NC00-NC04

NC00

NC04

1

0..n

鑑ヘッダ参照文書

ASBIE

Invoice

Reference

__

Reference_ReferencedDocument

インボイス文書が参照する文書クラス

UN01012702

ASBIE

1350

ICL3

インボイス文書/参照文書グループ

インボイス文書が参照する文書のグループ

0..n

3

/rsm:SMEinvoice/rsm:CIIHExchangedDocument/ram:ReferenceCIReferencedDocument

1570

鑑ヘッダ

NC04-01

NC04

01

2

1..1

鑑ヘッダ参照文書番号

BBIE

Reference_ReferencedDocument

IssuerAssignedID

Document Reference

インボイス文書が参照する参照文書の番号

UN01005580

BBIE

1360

IID12

(鑑ヘッダ参照)文書番号

インボイス文書が参照する参照文書の番号

1..1

4

/rsm:SMEinvoice/rsm:CIIHExchangedDocument/ram:ReferenceCIReferencedDocument/ram:IssuerAssignedID

1580

鑑ヘッダ

NC04-02

NC04

02

2

0..1

鑑ヘッダ参照文書発行日

BBIE

Reference_ReferencedDocument

IssueDateTime

Date

インボイス文書が参照する参照文書の発行日

UN01005582

BBIE

1370

IID13

(鑑ヘッダ参照)文書発行日

インボイス文書が参照する参照文書の発行日

0..1

4

/rsm:SMEinvoice/rsm:CIIHExchangedDocument/ram:ReferenceCIReferencedDocument/ram:IssueDateTime

1590

鑑ヘッダ

NC04-03

NC04

03

2

0..1

鑑ヘッダ参照文書参照タイプコード

BBIE

Reference_ReferencedDocument

ReferenceTypeCode

Code

この調整で参照する前回インボイス文書の参照タイプを指定するコード (デフォルト属性)OI (Previous invoice number)

UN01005586

BBIE

1380

IID14

(鑑ヘッダ参照)文書参照タイプコード

この調整で参照する前回インボイス文書の参照タイプを指定するコード (デフォルト属性)OI (Previous invoice number)

?

1..1

4

/rsm:SMEinvoice/rsm:CIIHExchangedDocument/ram:ReferenceCIReferencedDocument/ram:ReferenceTypeCode

1600

鑑ヘッダ

NC04-04

NC04

04

2

0..1

鑑ヘッダ参照文書履歴番号

BBIE

Reference_ReferencedDocument

RevisionID

Code

インボイス文書が参照する文書の変更履歴を管理する番号。

UN01005588

BBIE

1390

IID15

(鑑ヘッダ参照)文書履歴番号

インボイス文書が参照する文書の変更履歴を管理する番号。

0..1

4

/rsm:SMEinvoice/rsm:CIIHExchangedDocument/ram:ReferenceCIReferencedDocument/ram:RevisionID

1610

鑑ヘッダ

NC04-05

NC04

05

2

0..1

鑑ヘッダ参照文書情報

BBIE

Reference_ReferencedDocument

Information

Code

インボイス文書が参照する参照文書に記載の情報

UN01006415

BBIE

1400

(鑑ヘッダ参照)文書情報

インボイス文書が参照する参照文書に記載の情報

0..1

4

/rsm:SMEinvoice/rsm:CIIHExchangedDocument/ram:ReferenceCIReferencedDocument/ram:Information

1620

鑑ヘッダ

NC04-06

NC04

06

2

1..1

鑑ヘッダ参照文書タイプコード

BBIE

Reference_ReferencedDocument

TypeCode

Code

インボイス文書が参照する参照文書の文書タイプを識別するコード

UN01009672

BBIE

1410

IID16

(鑑ヘッダ参照)文書タイプコード

インボイス文書が参照する参照文書の文書タイプを識別するコード

?

1..1

4

/rsm:SMEinvoice/rsm:CIIHExchangedDocument/ram:ReferenceCIReferencedDocument/ram:TypeCode

1630

鑑ヘッダ

NC04-07

NC04

07

2

0..1

鑑ヘッダ参照文書サブタイプコード

BBIE

Reference_ReferencedDocument

SubtypeCode

Code

インボイス文書が参照する参照文書のサブタイプコード

UN01014899

BBIE

1420

IID18

(鑑ヘッダ参照)文書サブタイプコード

インボイス文書が参照する参照文書のサブタイプコード

0..1

4

/rsm:SMEinvoice/rsm:CIIHExchangedDocument/ram:ReferenceCIReferencedDocument/ram:SubtypeCode

1640

鑑ヘッダ

NC04-NC05

NC04

NC05

2

0..1

鑑ヘッダ参照文書添付ファイル

ASBIE

Reference_ReferencedDocument

Reference

__

AttachmentBinaryObject

インボイス文書の添付バイナリファイルの有無を識別するコード\nなしの場合はNULL(デファクト)\nありの場合はヘッダの添付バイナリファイル識別子(UN01006015)を指定する。

UN01011455

BBIE

1430

IID17

(鑑ヘッダ参照)文書添付ファイル

インボイス文書の添付バイナリファイルの有無を識別するコード\nなしの場合はNULL(デファクト)\nありの場合はヘッダの添付バイナリファイル識別子(UN01006015)を指定する。

0..1

4

/rsm:SMEinvoice/rsm:CIIHExchangedDocument/ram:ReferenceCIReferencedDocument/ram:AttachmentBinaryObject

1650

鑑ヘッダ

NC05-01

NC05

01

3

1..1

鑑ヘッダ参照文書添付ファイルMIMEコード

BBIE

AttachmentBinaryObject

MIMECode

Code

許可されているMIMEコード:\napplication/pdf\nimage/png\nimage/jpeg\ntext/csv\napplication/vnd.openxmlformats-officedocument.spreadsheetml.sheet\napplication/vnd.oasis.opendocument. Spreadsheet

1440

1..1

5

/rsm:SMEinvoice/rsm:CIIHExchangedDocument/ram:ReferenceCIReferencedDocument/ram:AttachmentBinaryObject/@mimeCode

1660

鑑ヘッダ

NC05-02

NC05

02

3

1..1

鑑ヘッダ参照文書添付ファイルのファイル名

BBIE

AttachmentBinaryObject

FileName

Code

1450

1..1

5

/rsm:SMEinvoice/rsm:CIIHExchangedDocument/ram:ReferenceCIReferencedDocument/ram:AttachmentBinaryObject/@filename

1670

鑑ヘッダ

NC05-03

NC05

03

3

0..1

鑑ヘッダ参照文書添付ファイル外部ドキュメントのロケーション

BBIE

AttachmentBinaryObject

URI

Code

外部ドキュメントの所在を示すURL(ユニフォームリソースロケータ)

1460

0..1

5

/rsm:SMEinvoice/rsm:CIIHExchangedDocument/ram:ReferenceCIReferencedDocument/ram:AttachmentBinaryObject/@uri

1680

鑑ヘッダ

NC00-NC06

NC00

NC06

1

0..n

添付バイナリファイル

ASBIE

Invoice

AttachedSpecified

Code

BinaryFile

添付バイナリファイルを記述するためのクラス

JPS2200015

ASBIE

1470

ICL4

付加文書/添付ファイルグループ

参照文書の添付バイナリファイルに関するグループ

0..n

3

/rsm:SMEinvoice/rsm:CIIHExchangedDocument/ram:AttachedSpecifiedBinaryFile

1690

鑑ヘッダ

NC06-01

NC06

01

2

0..1

添付バイナリファイル識別子

BBIE

BinaryFile

ID

Code

添付バイナリファイルの識別子

UN01006015

BBIE

1480

IID19

添付バイナリファイル識別子

添付バイナリファイルの識別子

0..1

4

/rsm:SMEinvoice/rsm:CIIHExchangedDocument/ram:AttachedSpecifiedBinaryFile/ram:ID

1700

鑑ヘッダ

NC06-02

NC06

02

2

1..1

添付バイナリファイルのMIMEコード

BBIE

BinaryFile

MIMECode

Code

添付バイナリファイルのMIMEコード

UN01006021

BBIE

1490

IID22

添付バイナリファイルのMIMEコード

添付バイナリファイルのMIMEコード

?

1..1

4

/rsm:SMEinvoice/rsm:CIIHExchangedDocument/ram:AttachedSpecifiedBinaryFile/ram:MIMECode

1710

鑑ヘッダ

NC06-03

NC06

03

2

0..1

添付バイナリファイル名

BBIE

BinaryFile

FileName

Code

添付バイナリファイルの名称

UN01006019

BBIE

1500

IID20

添付バイナリファイル名

添付バイナリファイルの名称

0..1

4

/rsm:SMEinvoice/rsm:CIIHExchangedDocument/ram:AttachedSpecifiedBinaryFile/ram:FileName

1720

鑑ヘッダ

NC06-04

NC06

04

2

0..1

添付バイナリファイルURI識別子

BBIE

BinaryFile

URIID

Code

添付バイナリファイルの外部保管URI識別子

UN01006020

BBIE

1510

IID21

添付バイナリファイルURI識別子

添付バイナリファイルの外部保管URI識別子

0..1

4

/rsm:SMEinvoice/rsm:CIIHExchangedDocument/ram:AttachedSpecifiedBinaryFile/ram:URIID

1730

鑑ヘッダ

NC06-05

NC06

05

2

0..1

添付バイナリファイルの説明文

BBIE

BinaryFile

Description

Code

添付バイナリファイルの説明文

UN01006026

BBIE

1520

IID23

添付バイナリファイルの説明文

添付バイナリファイルの説明文

0..1

4

/rsm:SMEinvoice/rsm:CIIHExchangedDocument/ram:AttachedSpecifiedBinaryFile/ram:Description

1740

鑑ヘッダ

NC00-NC07

NC00

NC07

1

0..n

未決済合計金額参照文書

ASBIE

Invoice

Specified

Code

SettlementMonetarySummation_ReferencedDocument

未決済合計金額が参照する文書に関するグループ

UN01015493

ASBIE

2280

ICL45

未決済合計金額/参照文書グループ

未決済合計金額が参照する文書に関するグループ

0..n

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:OutstandingSpecifiedCIIHTradeSettlementMonetarySummation/ram:SpecifiedCIReferencedDocument

1750

鑑ヘッダ

NC07-01

NC07

01

2

1..1

未決済参照文書番号

BBIE

SettlementMonetarySummation_ReferencedDocument

IssuerAssignedID

Code

未決済合計金額が参照する文書に記載の文書番号

UN01005580

BBIE

2290

IID197

未決済参照文書番号

未決済合計金額が参照する文書に記載の文書番号

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:OutstandingSpecifiedCIIHTradeSettlementMonetarySummation/ram:SpecifiedCIReferencedDocument/ram:IssuerAssignedID

1760

鑑ヘッダ

NC07-02

NC07

02

2

0..1

未決済参照文書発行日

BBIE

SettlementMonetarySummation_ReferencedDocument

IssueDateTime

Code

未決済合計金額が参照する文書に記載の発行日付

UN01005582

BBIE

2300

IID198

未決済参照文書発行日

未決済合計金額が参照する文書に記載の発行日付

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:OutstandingSpecifiedCIIHTradeSettlementMonetarySummation/ram:SpecifiedCIReferencedDocument/ram:IssueDateTime/udt:DateTimeString

1770

鑑ヘッダ

NC07-03

NC07

03

2

0..1

未決済参照インボイス文書参照タイプコード

BBIE

SettlementMonetarySummation_ReferencedDocument

ReferenceTypeCode

Code

未決済合計金額が参照する文書を識別するコード。\n属性=「OI」Previous invoice number

UN01005586

BBIE

2310

IID199

未決済参照インボイス文書参照タイプコード

未決済合計金額が参照する文書を識別するコード。\n属性=「OI」Previous invoice number

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:OutstandingSpecifiedCIIHTradeSettlementMonetarySummation/ram:SpecifiedCIReferencedDocument/ram:ReferenceTypeCode

1780

鑑ヘッダ

NC07-04

NC07

04

2

0..1

未決済参照文書履歴番号

BBIE

SettlementMonetarySummation_ReferencedDocument

RevisionID

Code

未決済合計金額が参照する文書の変更履歴を管理する番号。

UN01005588

BBIE

2320

IID200

未決済参照文書履歴番号

未決済合計金額が参照する文書の変更履歴を管理する番号。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:OutstandingSpecifiedCIIHTradeSettlementMonetarySummation/ram:SpecifiedCIReferencedDocument/ram:RevisionID

1790

鑑ヘッダ

NC07-05

NC07

05

2

0..1

未決済参照文書情報

BBIE

SettlementMonetarySummation_ReferencedDocument

Information

Code

未決済合計金額が参照する文書に関する情報

UN01006415

BBIE

2330

IID201

未決済参照文書情報

未決済合計金額が参照する文書に関する情報

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:OutstandingSpecifiedCIIHTradeSettlementMonetarySummation/ram:SpecifiedCIReferencedDocument/ram:Information

1800

鑑ヘッダ

NC07-06

NC07

06

2

1..1

未決済参照文書タイプコード

BBIE

SettlementMonetarySummation_ReferencedDocument

TypeCode

Code

未決済合計金額が参照する文書のタイプを識別するコード

UN01009672

BBIE

2340

IID202

未決済参照文書タイプコード

未決済合計金額が参照する文書のタイプを識別するコード

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:OutstandingSpecifiedCIIHTradeSettlementMonetarySummation/ram:SpecifiedCIReferencedDocument/ram:TypeCode

1810

鑑ヘッダ

NC07-07

NC07

07

2

0..1

未決済参照文書添付ファイル

BBIE

SettlementMonetarySummation_ReferencedDocument

AttachmentBinaryObject

Code

未決済合計金額の添付バイナリファイルの有無を識別するコード\nなしの場合はNULL(デファクト)\nありの場合は鑑ヘッダの添付バイナリファイル識別子(UN01006015)を指定する。

UN01011455

BBIE

2350

IID203

未決済参照文書添付ファイル

未決済合計金額の添付バイナリファイルの有無を識別するコード\nなしの場合はNULL(デファクト)\nありの場合は鑑ヘッダの添付バイナリファイル識別子(UN01006015)を指定する。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:OutstandingSpecifiedCIIHTradeSettlementMonetarySummation/ram:SpecifiedCIReferencedDocument/ram:AttachmentBinaryObject

1820

鑑ヘッダ

NC07-08

NC07

08

2

0..1

未決済参照文書サブタイプコード

BBIE

SettlementMonetarySummation_ReferencedDocument

SubtypeCode

Code

未決済合計金額が参照する文書のサブタイプを識別するコード

UN01014899

BBIE

2360

IID204

未決済参照文書サブタイプコード

未決済合計金額が参照する文書のサブタイプを識別するコード

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:OutstandingSpecifiedCIIHTradeSettlementMonetarySummation/ram:SpecifiedCIReferencedDocument/ram:SubtypeCode

1830

鑑ヘッダ

NC00-NC08

NC00

NC08

1

0..n

鑑ヘッダ参照文書

ASBIE

Invoice

InvoiceReference

Code

FinancialAdjustment_ReferencedDocument

この調整で修正インボイス文書が参照する文書のクラス

UN01009671

ASBIE

3650

ICL41

インボイス文書調整/参照文書グループ

インボイス文書の調整でインボイス文書が参照する文書に関するグループ

0..n

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCIFinancialAdjustment/ram:InvoiceReferenceCIReferencedDocument

1220

IBG-03

0..n

1

PRECEDING INVOICE REFERENCE

先行請求書への参照

A group of business terms providing information on one or more preceding Invoices.

1つのあるいはそれ以上の先行請求書に関する情報を提供するビジネス用語のグループ。

/Invoice/cac:BillingReference

1840

鑑ヘッダ

NC08-01

NC08

01

2

1..1

鑑ヘッダ参照文書番号

BBIE

FinancialAdjustment_ReferencedDocument

IssuerAssignedID

Code

この調整でインボイス文書が参照する文書に記載の文書番号

UN01005580

BBIE

3660

IID179

インボイス参照文書番号

この調整でインボイス文書が参照する文書に記載の文書番号

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCIFinancialAdjustment/ram:InvoiceReferenceCIReferencedDocument/ram:IssuerAssignedID

1230

IBT-025

1..1

2

Preceding Invoice reference

先行請求書への参照

The identification of an Invoice that was previously sent by the Seller.

売り手が以前に送付した請求書番号。

/Invoice/cac:BillingReference/cac:InvoiceDocumentReference/cbc:ID

1850

鑑ヘッダ

NC08-02

NC08

02

2

0..1

鑑ヘッダ参照文書発行日

BBIE

FinancialAdjustment_ReferencedDocument

IssueDateTime

Code

この調整でインボイスが参照する文書に記載の発行日付

UN01005582

BBIE

3670

IID180

インボイス参照文書発行日

この調整でインボイスが参照する文書に記載の発行日付

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCIFinancialAdjustment/ram:InvoiceReferenceCIReferencedDocument/ram:IssueDateTime

1240

IBT-026

0..1

2

Preceding Invoice issue date

先行請求書発行日

The date when the Preceding Invoice was issued.

先行請求書の発行日。

/Invoice/cac:BillingReference/cac:InvoiceDocumentReference/cbc:IssueDate

1860

鑑ヘッダ

NC08-03

NC08

03

2

1..1

鑑ヘッダ文書参照文書参照タイプコード

BBIE

FinancialAdjustment_ReferencedDocument

ReferenceTypeCode

Code

この調整で参照する前回インボイス文書の参照タイプに関するコード=OI (Previous invoice number)

UN01005586

BBIE

3680

IID181

インボイス文書参照文書参照タイプコード

この調整で参照する前回インボイス文書の参照タイプに関するコード=OI (Previous invoice number)

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCIFinancialAdjustment/ram:InvoiceReferenceCIReferencedDocument/ram:ReferenceTypeCode

1870

鑑ヘッダ

NC08-04

NC08

04

2

0..1

鑑ヘッダ参照文書履歴番号

BBIE

FinancialAdjustment_ReferencedDocument

RevisionID

Code

この調整でインボイスが参照する文書の変更履歴を管理する番号。

UN01005588

BBIE

3690

IID182

インボイス参照文書履歴番号

この調整でインボイスが参照する文書の変更履歴を管理する番号。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCIFinancialAdjustment/ram:InvoiceReferenceCIReferencedDocument/ram:RevisionID

1880

鑑ヘッダ

NC08-05

NC08

05

2

0..1

鑑ヘッダ参照文書タイプコード

BBIE

FinancialAdjustment_ReferencedDocument

TypeCode

Code

この調整でインボイス文書が参照する文書のタイプを識別するコード

UN01009672

BBIE

3700

IID183

インボイス参照文書タイプコード

この調整でインボイス文書が参照する文書のタイプを識別するコード

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCIFinancialAdjustment/ram:InvoiceReferenceCIReferencedDocument/ram:TypeCode

1890

鑑ヘッダ

NC08-06

NC08

06

2

0..1

鑑ヘッダ参照文書サブタイプコード

BBIE

FinancialAdjustment_ReferencedDocument

SubtypeCode

Code

この調整で修正インボイス文書が参照する文書のサブタイプを識別するコード

UN01014899

BBIE

3710

IID184

インボイス参照文書サブタイプコード

この調整で修正インボイス文書が参照する文書のサブタイプを識別するコード

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCIFinancialAdjustment/ram:InvoiceReferenceCIReferencedDocument/ram:SubtypeCode

1900

鑑ヘッダ

NC00-NC09

NC00

NC09

1

1..1

売り手

ASBIE

Invoice

Seller

Code

Seller_Party

売り手に関する情報のグループ

UN01005879

ASBIE

1530

ICL5

インボイス文書契約/受注者グループ

受注者に関するグループ。

1..1

4

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:SellerCITradeParty

1440

IBG-04

1..1

1

SELLER

売り手

A group of business terms providing information about the Seller.

売り手に係る情報を提供するビジネス用語のグループ。

/Invoice/cac:AccountingSupplierParty

1910

鑑ヘッダ

NC09-01

NC09

01

2

1..1

売り手コード

BBIE

Seller_Party

ID

Code

注文を受ける企業/工場・事業所・事業部門等を表すコード。デフォルトはデータなし。

UN01005757

BBIE

1540

IID24

受注者識別子

注文を受ける企業/工場・事業所・事業部門等を表すコード。デフォルトはデータなし。

1..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:SellerCITradeParty/ram:ID

1480

IBT-029

0..n

2

Seller identifier

売り手ID

An identification of the Seller.

売り手を表すID。

/Invoice/cac:AccountingSupplierParty/cac:Party/cac:PartyIdentification/cbc:ID[not(@schemeID=”SEPA”)]

1920

鑑ヘッダ

NC09-02

NC09

02

2

0..1

売り手コードスキーマID

BBIE

Seller_Party

IDSchemeID

Code

コードの発番機関コード

1490

IBT-029-1

0..1

3

Seller identifier Scheme identifier

スキーマID

If used, the identification scheme identifier shall be chosen from the entries of the list published by the ISO/IEC 6523 maintenance agency.

使用する場合、識別スキーマは、ISO/IEC6523保守機関として公開されているリストから選択しなければならない。

/Invoice/cac:AccountingSupplierParty/cac:Party/cac:PartyIdentification/cbc:ID[not(@schemeID=”SEPA”)]/@schemeID

1930

鑑ヘッダ

NC09-03

NC09

03

2

0..1

売り手国際企業コード

BBIE

Seller_Party

GlobalID

Code

注文を受ける企業を表す国際企業コード。中小企業共通EDIでは法人番号を利用

UN01005758

BBIE

1550

IID25

受注者国際企業識別子

注文を受ける企業を表す国際企業コード。中小企業共通EDIでは法人番号を利用

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:SellerCITradeParty/ram:GlobalID

1640

IBT-030

0..1

2

Seller legal registration identifier

売り手法人ID

An identifier issued by an official registrar that identifies the Seller as a legal entity or person.

公的機関が発行した売り手を法人や個人として識別するID。

/Invoice/cac:AccountingSupplierParty/cac:Party/cac:PartyLegalEntity/cbc:CompanyID

1940

鑑ヘッダ

NC09-04

NC09

04

2

0..1

売り手国際企業コードスキーマID

BBIE

Seller_Party

GlobalIDSchemeID

Code

コードの発番機関コード

1650

IBT-030-1

0..1

3

Seller legal registration identifier Scheme identifier

スキーマID

If used the identification scheme shall be chosen from the entries of the list published by the ISO/IEC 6523 maintenance agency.

使用する場合、識別スキーマは、ISO/IEC 6523 保守機関が公開しているリストから選択しなければならない。

/Invoice/cac:AccountingSupplierParty/cac:Party/cac:PartyLegalEntity/cbc:CompanyID/@schemeID

1950

鑑ヘッダ

NC09-05

NC09

05

2

1..1

売り手名称

BBIE

Seller_Party

Name

Code

注文を受ける企業/工場・事業所・事業部門等を表す名称。適格請求書、または区分記載請求書を発行する事業者名。

UN01005759

BBIE

1560

IID26

受注者名称

注文を受ける企業/工場・事業所・事業部門等を表す名称。適格請求書、または区分記載請求書を発行する事業者名。

1..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:SellerCITradeParty/ram:Name

1630

IBT-027

1..1

2

Seller name

売り手名称

The full formal name by which the Seller is registered in the national registry of legal entities or as a Taxable person or otherwise trades as a person or persons.

売り手が所在国の法人登録簿に法人、または課税対象者として登録されている、またはその他の方法で1人または複数の人として登録されている完全な正式名称。

/Invoice/cac:AccountingSupplierParty/cac:Party/cac:PartyLegalEntity/cbc:RegistrationName

1960

鑑ヘッダ

NC09-06

NC09

06

2

0..1

売り手商号

BBIE

Seller_Party

TradeName

Code

売り手名称以外で、知られているビジネス上の名称(商号ともよばれる)。

1500

IBT-028

0..1

2

Seller trading name

売り手商号

A name by which the Seller is known other than Seller name (also known as Business name).

売り手名称以外で、知られているビジネス上の名称(商号ともよばれる)。

/Invoice/cac:AccountingSupplierParty/cac:Party/cac:PartyName/cbc:Name

1970

鑑ヘッダ

NC09-07

NC09

07

2

1..1

適格請求書発行事業者登録番号

BBIE

Seller_Party

RegisteredID

Code

国税庁へ登録された適格請求書発行事業者登録番号(区分記載請求書発行者についてはなし)\nT1234567890123

UN01013039

BBIE

1570

IID27

適格請求書発行事業者登録番号

国税庁へ登録された適格請求書発行事業者登録番号(区分記載請求書発行者についてはなし)\nT1234567890123

1..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:SellerCITradeParty/ram:RegisteredID

1590

IBT-031

0..1

2

Seller TAX identifier

売り手税ID

The Seller’s TAX identifier (also known as Seller TAX identification number).

売り手の税ID(売り手の税識別番号ともよばれる)。

/Invoice/cac:AccountingSupplierParty/cac:Party/cac:PartyTaxScheme[cac:TaxScheme/cbc:ID=’VAT’]/cbc:CompanyID

1980

鑑ヘッダ

NC09-08

NC09

08

2

0..1

適格請求書発行事業者登録番号課税コード

BBIE

Seller_Party

RegisteredIDTaxSchema

Code

適格請求書発行事業者の課税区分を識別するコード

UN01012925

BBIE

1580

IID28

受注者タイプコード

適格請求書発行事業者の課税区分を識別するコード

1..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:SellerCITradeParty/ram:TypeCode

1600

1..1

3

Tax Scheme

税スキーマ

A code indicating the type of tax

税の種類を示すコード。VAT固定

VAT

/Invoice/cac:AccountingSupplierParty/cac:Party/cac:PartyTaxScheme/cac:TaxScheme/cbc:ID

1990

鑑ヘッダ

NC09-09

NC09

09

2

1..1

売り手税登録ID

BBIE

Seller_Party

TaxRegisteredID

Code

適格請求書発行事業者の課税区分を識別するコード

1610

IBT-032

0..1

2

Seller TAX registration identifier

売り手税登録ID

The local identification (defined by the Seller’s address) of the Seller for tax purposes or a reference that enables the Seller to state his registered tax status.

税務上の売り手の所在地における登録ID(売り手の住所で定義された値)。または売り手が登録済みの税務状況を示すことを可能にする参照ID。

/Invoice/cac:AccountingSupplierParty/cac:Party/cac:PartyTaxScheme[cac:TaxScheme/cbc:ID!=’VAT’]/cbc:CompanyID

2000

鑑ヘッダ

NC09-10

NC09

10

2

0..1

売り手税登録ID課税コード

BBIE

Seller_Party

TaxRegisteredIDTaxSchema

Code

VAT以外の固定値

1620

1..1

3

Tax Scheme

税スキーマ

A code indicating the type of tax

税の種類を示すコード。VAT以外固定

GST

/Invoice/cac:AccountingSupplierParty/cac:Party/cac:PartyTaxScheme/cac:TaxScheme/cbc:ID

2010

鑑ヘッダ

1660

IBT-033

0..1

2

Seller additional legal information

売り手追加法的情報

Additional legal information relevant for the Seller.

売り手に関する追加の法的情報。

/Invoice/cac:AccountingSupplierParty/cac:Party/cac:PartyLegalEntity/cbc:CompanyLegalForm

2020

鑑ヘッダ

送信者の国際アドレスグループ

UN01005763

ASBIE

1590

ICL8

送信者/国際アドレスグループ

送信者の国際アドレスグループ

1..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:SellerCITradeParty/ram:EndPointURICIUniversalCommunication

1450

1..1

/Invoice/cac:AccountingSupplierParty/cac:Party

2030

鑑ヘッダ

NC09-11

NC09

11

2

1..1

売り手国際アドレス

BBIE

Seller_Party

EndPointAddress

Code

jp-pint対応国際アドレス番号

UN01005860

BBIE

1600

IID42

国際アドレス

jp-pint対応国際アドレス番号

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:SellerCITradeParty/ram:EndPointURICIUniversalCommunication/ram:CompleteNumber

1460

IBT-034

1..1

2

Seller electronic address

売り手電子アドレス

Identifies the Seller’s electronic address to which the application level response to the invoice may be delivered.

請求書に対するアプリケーションレベルの応答が配信される売り手の電子アドレスを識別する。

/Invoice/cac:AccountingSupplierParty/cac:Party/cbc:EndpointID

2040

鑑ヘッダ

NC09-12

NC09

12

2

1..1

売り手国際アドレス登録機関コード

BBIE

Seller_Party

EndPointAddressChannelCode

Code

JP-PINT対応国際アドレス登録機関のコード

UN01005859

BBIE

1610

IID41

国際アドレス登録機関コード

JP-PINT対応国際アドレス登録機関のコード

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:SellerCITradeParty/ram:EndPointURICIUniversalCommunication/ram:ChannelCode

1470

IBT-034-1

1..1

3

Seller electronic address Scheme identifier

スキーマID

The scheme identifier shall be chosen from a list to be maintained by the Connecting Europe Facility.

スキーマIDは、Connecting Europe Facility (CEF) が管理するリストから選択しなければならない。

/Invoice/cac:AccountingSupplierParty/cac:Party/cbc:EndpointID/@schemeID

2050

鑑ヘッダ

NC09-NC10

NC09

NC10

2

0..1

売り手連絡先

ASBIE

Seller_Party

Defined

__

Seller_Contact

連絡先に関する情報のグループ

UN01005761

ASBIE

1620

ICL6

受注者/連絡先グループ

受注者の連絡先に関するグループ

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:SellerCITradeParty/ram:DefinedCITradeContact

1670

IBG-06

0..1

2

SELLER CONTACT

売り手連絡先

A group of business terms providing contact information about the Seller.

売り手の連絡先に係る情報を提供するビジネス用語のグループ。

/Invoice/cac:AccountingSupplierParty/cac:Party/cac:Contact

2060

鑑ヘッダ

NC10-01

NC10

01

3

0..1

受注部門コード

BBIE

Seller_Contact

ID

Code

売り手の受注部門を表すコード。

UN01005719

BBIE

1630

IID29

受注部門コード

受注者の受注部門を表すコード。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:SellerCITradeParty/ram:DefinedCITradeContact/ram:ID

2070

鑑ヘッダ

NC10-02

NC10

02

3

0..1

売り手担当名

BBIE

Seller_Contact

PersonName

Text

売り手連絡先の個人の、文字で表現された名前。

UN01005720

BBIE

1640

IID30

受注者担当名

受注者連絡先の個人の、文字で表現された名前。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:SellerCITradeParty/ram:DefinedCITradeContact/ram:PersonName

1680

IBT-041

0..1

3

Seller contact point

売り手連絡先

A contact point for a legal entity or person.

売り手の連絡先の個人の、文字で表現された名前(部門名を含む)。

/Invoice/cac:AccountingSupplierParty/cac:Party/cac:Contact/cbc:Name

2080

鑑ヘッダ

NC10-03

NC10

03

3

0..1

売り手部門名

BBIE

Seller_Contact

DepartmentName

Text

売り手の受注部門の名称。

UN01005721

BBIE

1650

IID31

受注者部門名

受注者の受注部門の名称。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:SellerCITradeParty/ram:DefinedCITradeContact/ram:DepartmentName

2090

鑑ヘッダ

NC10-04

NC10

04

3

0..1

売り手担当コード

BBIE

Seller_Contact

PersonID

Code

売り手個人を表すコード

UN01005725

BBIE

1660

IID32

受注者担当コード

受注者個人を表すコード

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:SellerCITradeParty/ram:DefinedCITradeContact/ram:PersonID

2100

鑑ヘッダ

NC10-05

NC10

05

3

0..1

売り手電話番号

BBIE

Seller_Contact

PhoneNumber

Code

売り手の電話番号。

UN01005860

BBIE

1670

IID33

受注者電話番号

受注者の電話番号。

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:SellerCITradeParty/ram:DefinedCITradeContact/ram:TelephoneCIUniversalCommunication/ram:CompleteNumber

1690

IBT-042

0..1

3

Seller contact telephone number

売り手連絡先電話番号

A phone number for the contact point.

売り手の連絡先電話番号。

/Invoice/cac:AccountingSupplierParty/cac:Party/cac:Contact/cbc:Telephone

2110

鑑ヘッダ

NC10-06

NC10

06

3

0..1

売り手FAX番号

BBIE

Seller_Contact

FaxNumber

Code

売り手のFAX番号

UN01005860

BBIE

1680

IID34

受注者FAX番号

受注者のFAX番号

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:SellerCITradeParty/ram:DefinedCITradeContact/ram:FaxCIUniversalCommunication/ram:CompleteNumber

2120

鑑ヘッダ

NC10-07

NC10

07

3

0..1

売り手メールアドレス

BBIE

Seller_Contact

MailAddress

Text

売り手の電子メールアドレス。

UN01005858

BBIE

1690

IID35

受注者メールアドレス

受注者の電子メールアドレス。

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:SellerCITradeParty/ram:DefinedCITradeContact/ram:EmailURICIUniversalCommunication/ram:URIID

1700

IBT-043

0..1

3

Seller contact email address

売り手連絡先電子メールアドレス

An e-mail address for the contact point.

売り手の連絡先電子メールアドレス。

/Invoice/cac:AccountingSupplierParty/cac:Party/cac:Contact/cbc:ElectronicMail

2130

鑑ヘッダ

NC09-NC11

NC09

NC11

2

0..1

売り手住所

ASBIE

Seller_Party

Postal

__

Seller_Address

売り手住所に関する情報のグループ

UN01005762

ASBIE

1700

ICL7

受注者/住所グループ

受注者の住所に関するグループ。

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:SellerCITradeParty/ram:PostalCITradeAddress

1510

IBG-05

1..1

2

SELLER POSTAL ADDRESS

売り手住所

A group of business terms providing information about the address of the Seller.

売り手の住所に関する情報を提供するビジネス用語のグループ。

/Invoice/cac:AccountingSupplierParty/cac:Party/cac:PostalAddress

2140

鑑ヘッダ

NC11-01

NC11

01

3

0..1

売り手郵便番号

BBIE

Seller_Address

PostCode

Code

売り手の郵便番号。

UN01005689

BBIE

1710

IID36

受注者郵便番号

受注者の郵便番号。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:SellerCITradeParty/ram:PostalCITradeAddress/ram:PostcodeCode

1550

IBT-038

0..1

3

Seller post code

売り手郵便番号

The identifier for an addressable group of properties according to the relevant postal service.

売り手の住所の郵便番号。

/Invoice/cac:AccountingSupplierParty/cac:Party/cac:PostalAddress/cbc:PostalZone

2150

鑑ヘッダ

NC11-02

NC11

02

3

0..1

売り手住所1

BBIE

Seller_Address

LineOne

Text

売り手の住所1行目。

UN01005692

BBIE

1720

IID37

受注者住所1

受注者の住所1行目。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:SellerCITradeParty/ram:PostalCITradeAddress/ram:LineOne

1520

IBT-035

0..1

3

Seller address line 1

売り手住所欄1

The main address line in an address.

売り手の住所の主な記載欄。

/Invoice/cac:AccountingSupplierParty/cac:Party/cac:PostalAddress/cbc:StreetName

2160

鑑ヘッダ

NC11-03

NC11

03

3

0..1

売り手住所2

BBIE

Seller_Address

LineTwo

Text

売り手の住所2行目。

UN01005693

BBIE

1730

IID38

受注者住所2

受注者の住所2行目。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:SellerCITradeParty/ram:PostalCITradeAddress/ram:LineTwo

1530

IBT-036

0..1

3

Seller address line 2

売り手住所欄2

An additional address line in an address that can be used to give further details supplementing the main line.

売り手の住所の主な記載内容に加えて詳細な情報のために使用する追加記載欄。

/Invoice/cac:AccountingSupplierParty/cac:Party/cac:PostalAddress/cbc:AdditionalStreetName

2170

鑑ヘッダ

NC11-04

NC11

04

3

0..1

売り手住所3

BBIE

Seller_Address

LineThree

Text

売り手の住所3行目。

UN01005694

BBIE

1740

IID39

受注者住所3

受注者の住所3行目。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:SellerCITradeParty/ram:PostalCITradeAddress/ram:LineThree

1570

IBT-162

0..1

3

Seller address line 3

売り手住所欄3

An additional address line in an address that can be used to give further details supplementing the main line.

売り手の住所の上記の記載内容に加えてより詳細な情報のために使用する追加記載欄。

/Invoice/cac:AccountingSupplierParty/cac:Party/cac:PostalAddress/cac:AddressLine/cbc:Line

2180

鑑ヘッダ

NC11-05

NC11

05

3

0..1

売り手住所 市区町村

BBIE

Seller_Address

CityName

Text

売り手が所在する市、町、村の通称。

1540

IBT-037

0..1

3

Seller city

売り手住所 市区町村

The common name of the city town or village where the Seller address is located.

売り手が所在する市、町、村の通称。

/Invoice/cac:AccountingSupplierParty/cac:Party/cac:PostalAddress/cbc:CityName

2190

鑑ヘッダ

NC11-06

NC11

06

3

0..1

売り手住所 都道府県

BBIE

Seller_Address

CountrySubentity

Text

売り手の住所の地方区分。

1560

IBT-039

0..1

3

Seller country subdivision

売り手住所 都道府県

The subdivision of a country.

売り手の住所の地方区分。

/Invoice/cac:AccountingSupplierParty/cac:Party/cac:PostalAddress/cbc:CountrySubentity

2200

鑑ヘッダ

NC11-07

NC11

07

3

1..1

売り手国識別子

BBIE

Seller_Address

CountryID

Code

売り手の国ID。デフォルトは「JP」

UN01005700

BBIE

1750

IID40

受注者国識別子

受注者の国ID。デフォルトは「JP」

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:SellerCITradeParty/ram:PostalCITradeAddress/ram:CountryID

1580

IBT-040

1..1

3

Seller country code

売り手国コード

A code that identifies the country.

売り手の住所の国コード。

/Invoice/cac:AccountingSupplierParty/cac:Party/cac:PostalAddress/cac:Country/cbc:IdentificationCode

2210

鑑ヘッダ

NC00-NC12

NC00

NC12

1

1..1

買い手

ASBIE

Invoice

Buyer

__

Buyer_Party

買い手に関する情報のグループ

UN01005880

ASBIE

1760

ICL9

インボイス文書契約/発注者グループ

発注者に関するグループ。

1..1

4

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:BuyerCITradeParty

1710

IBG-07

1..1

1

BUYER

買い手

A group of business terms providing information about the Buyer.

買い手に係る情報を提供するビジネス用語のグループ。

/Invoice/cac:AccountingCustomerParty

2220

鑑ヘッダ

NC12-01

NC12

01

2

1..1

買い手コード

BBIE

Buyer_Party

ID

Identifier

注文を行う企業/工場・事業所・事業部門等を表すコード。デフォルトはデータなし。

UN01005757

BBIE

1770

IID43

発注者コード

注文を行う企業/工場・事業所・事業部門等を表すコード。デフォルトはデータなし。

1..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:BuyerCITradeParty/ram:ID

1750

IBT-046

0..1

2

Buyer identifier

買い手ID

An identifier of the Buyer.

買い手を表すID。

/Invoice/cac:AccountingCustomerParty/cac:Party/cac:PartyIdentification/cbc:ID

2230

鑑ヘッダ

NC12-02

NC12

02

2

0..1

買い手コードスキーマID

BBIE

Buyer_Party

IDSchemeID

Code

コードの発番機関コード

1760

IBT-046-1

0..1

3

Buyer identifier Scheme identifier

スキーマID

If used the identification scheme shall be chosen from the entries of the list published by the ISO/IEC 6523 maintenance agency.

使用する場合、識別スキーマは、ISO/IEC6523保守機関として公開されているリストから選択しなければならない。

/Invoice/cac:AccountingCustomerParty/cac:Party/cac:PartyIdentification/cbc:ID/@schemeID

2240

鑑ヘッダ

NC12-03

NC12

03

2

0..1

買い手国際企業コード

BBIE

Buyer_Party

GlobalID

Identifier

注文を行う企業を表す国際企業コード。中小企業共通EDIでは法人番号を利用

UN01005758

BBIE

1780

IID44

発注者国際企業コード

注文を行う企業を表す国際企業コード。中小企業共通EDIでは法人番号を利用

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:BuyerCITradeParty/ram:GlobalID

1890

IBT-047

0..1

2

Buyer legal registration identifier

買い手法人ID

An identifier issued by an official registrar that identifies the Buyer as a legal entity or person.

買い手を表す法人ID。

/Invoice/cac:AccountingCustomerParty/cac:Party/cac:PartyLegalEntity/cbc:CompanyID

2250

鑑ヘッダ

NC12-04

NC12

04

2

0..1

買い手国際企業コードスキーマID

BBIE

Buyer_Party

GlobalIDSchemeID

Code

コードの発番機関コード

1900

IBT-047-1

0..1

3

Buyer legal registration identifier Scheme identifier

スキーマID

If used the identification scheme shall be chosen from the entries of the list published by the ISO/IEC 6523 maintenance agency.

使用する場合、識別スキーマは、ISO/IEC6523保守機関として公開されているリストから選択しなければならない。

/Invoice/cac:AccountingCustomerParty/cac:Party/cac:PartyLegalEntity/cbc:CompanyID/@schemeID

2260

鑑ヘッダ

NC12-05

NC12

05

2

1..1

買い手名称

BBIE

Buyer_Party

Name

Text

発注を行う企業/工場・事業所・事業部門等の名称

UN01005759

BBIE

1790

IID45

発注者名称

発注を行う企業/工場・事業所・事業部門等の名称

1..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:BuyerCITradeParty/ram:Name

1880

IBT-044

1..1

2

Buyer name

買い手名称

The full name of the Buyer.

買い手の名称。

/Invoice/cac:AccountingCustomerParty/cac:Party/cac:PartyLegalEntity/cbc:RegistrationName

2270

鑑ヘッダ

NC12-06

NC12

06

2

0..1

買い手商号

BBIE

Buyer_Party

TradeName

Text

買い手名称以外で、知られているビジネス上の名称。

1770

IBT-045

0..1

2

Buyer trading name

買い手商号

A name by which the Buyer is known other than Buyer name (also known as Business name).

買い手名称以外で、知られているビジネス上の名称。

/Invoice/cac:AccountingCustomerParty/cac:Party/cac:PartyName/cbc:Name

2280

鑑ヘッダ

NC12-07

NC12

07

2

0..1

適格請求書発行事業者登録番号

BBIE

Buyer_Party

RegisteredID

Identifier

登録された買い手の適格請求書発行事業者登録番号\n(免税事業者についてはなし)

UN01013039

BBIE

1800

IID46

適格請求書発行事業者登録番号

登録された発注者の適格請求書発行事業者登録番号\n(免税事業者についてはなし)

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:BuyerCITradeParty/ram:RegisteredID

1860

IBT-048

0..1

2

Buyer TAX identifier

買い手税ID

The Buyer’s TAX identifier (also known as Buyer TAX identification number).

買い手の税ID番号。日本の場合は、適格請求書発行事業者登録番号。

/Invoice/cac:AccountingCustomerParty/cac:Party/cac:PartyTaxScheme/cbc:CompanyID

2290

鑑ヘッダ

NC12-08

NC12

08

2

1..1

適格請求書発行事業者登録番号課税コード

BBIE

Buyer_Party

RegisteredIDTaxSchema

Code

適格請求書発行事業者の課税区分を識別するコード

UN01012925

BBIE

1810

IID47

発注者タイプコード

適格請求書発行事業者の課税区分を識別するコード

1..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:BuyerCITradeParty/ram:TypeCode

1870

IBT-048-1

1..1

3

Tax Scheme

税スキーマ

A code indicating the type of tax

税の種類を示すコード。VAT固定

VAT

/Invoice/cac:AccountingCustomerParty/cac:Party/cac:PartyTaxScheme/cac:TaxScheme/cbc:ID

2300

鑑ヘッダ

送信者の国際アドレスグループ

UN01005765

ASBIE

1820

ICL12

送信者/国際アドレスグループ

送信者の国際アドレスグループ

1..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:BuyerCITradeParty/ram:EndPointURICIUniversalCommunication

1720

1..1

/Invoice/cac:AccountingCustomerParty/cac:Party

2310

鑑ヘッダ

NC12-09

NC12

09

2

1..1

買い手国際アドレス

BBIE

Buyer_Party

EndPointAddress

Code

jp-pint対応国際EDIアドレス番号

UN01005860

BBIE

1830

IID61

国際アドレス

jp-pint対応国際アドレス番号

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:BuyerCITradeParty/ram:EndPointURICIUniversalCommunication/ram:CompleteNumber

1730

IBT-049

1..1

2

Buyer electronic address

買い手電子アドレス

Identifies the Buyer’s electronic address to which the invoice is delivered.

請求書の送信先となる買い手の電子アドレスを識別する。

/Invoice/cac:AccountingCustomerParty/cac:Party/cbc:EndpointID

2320

鑑ヘッダ

NC12-10

NC12

10

2

1..1

買い手国際アドレス登録機関コード

BBIE

Buyer_Party

EndPointAddressChannelCode

Code

JP-PINT対応国際EDIアドレス登録機関のコード

UN01005859

BBIE

1840

IID60

国際アドレス登録機関コード

JP-PINT対応国際アドレス登録機関のコード

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:BuyerCITradeParty/ram:EndPointURICIUniversalCommunication/ram:ChannelCode

1740

IBT-049-1

1..1

3

Buyer electronic address Scheme identifier

スキーマID

The scheme identifier shall be chosen from a list to be maintained by the Connecting Europe Facility.

スキーマIDは、Connecting Europe Facility (CEF) が管理するリストから選択しなければならない。

/Invoice/cac:AccountingCustomerParty/cac:Party/cbc:EndpointID/@schemeID

2330

鑑ヘッダ

NC12-NC13

NC12

NC13

2

0..1

買い手連絡先

ASBIE

Buyer_Party

Defined

__

Buyer_Contact

連絡先に関する情報のグループ

UN01005761

ASBIE

1850

ICL10

発注者/連絡先グループ

発注者の連絡先に関するグループ

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:BuyerCITradeParty/ram:DefinedCITradeContact

1910

IBG-09

0..1

2

BUYER CONTACT

買い手連絡先

A group of business terms providing contact information relevant for the Buyer.

買い手の連絡先に係る情報を提供するビジネス用語のグループ。

/Invoice/cac:AccountingCustomerParty/cac:Party/cac:Contact

2340

鑑ヘッダ

NC13-01

NC13

01

3

0..1

買い手部門コード

BBIE

Buyer_Contact

ID

Code

買い手の発注部門を表すコード。

UN01005719

BBIE

1860

IID48

発注者部門コード

発注者の発注部門を表すコード。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:BuyerCITradeParty/ram:DefinedCITradeContact/ram:ID

2350

鑑ヘッダ

NC13-02

NC13

02

3

0..1

買い手担当名

BBIE

Buyer_Contact

PersonName

Text

買い手の発注担当者の名称

UN01005720

BBIE

1870

IID49

発注者担当名

発注者の発注担当者の名称

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:BuyerCITradeParty/ram:DefinedCITradeContact/ram:PersonName

1920

IBT-056

0..1

3

Buyer contact point

買い手連絡先

A contact point for a legal entity or person.

買い手の法人や個人の連絡先。

/Invoice/cac:AccountingCustomerParty/cac:Party/cac:Contact/cbc:Name

2360

鑑ヘッダ

NC13-03

NC13

03

3

0..1

買い手部門名

BBIE

Buyer_Contact

DepartmentName

Text

買い手の発注部門の名称。

UN01005721

BBIE

1880

IID50

発注者部門名

発注者の発注部門の名称。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:BuyerCITradeParty/ram:DefinedCITradeContact/ram:DepartmentName

2370

鑑ヘッダ

NC13-04

NC13

04

3

0..1

買い手担当コード

BBIE

Buyer_Contact

PersonID

Code

買い手個人を表すコード

UN01005725

BBIE

1890

IID51

発注者担当コード

発注者個人を表すコード

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:BuyerCITradeParty/ram:DefinedCITradeContact/ram:PersonID

2380

鑑ヘッダ

NC13-05

NC13

05

3

0..1

買い手電話番号

BBIE

Buyer_Contact

PhoneNumber

Code

買い手の電話番号。

UN01005860

BBIE

1900

IID52

発注者電話番号

発注者の電話番号。

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:BuyerCITradeParty/ram:DefinedCITradeContact/ram:TelephoneCIUniversalCommunication/ram:CompleteNumber

1930

IBT-057

0..1

3

Buyer contact telephone number

買い手連絡先電話番号

A phone number for the contact point.

買い手の連絡先電話番号。

/Invoice/cac:AccountingCustomerParty/cac:Party/cac:Contact/cbc:Telephone

2390

鑑ヘッダ

NC13-06

NC13

06

3

0..1

買い手FAX番号

BBIE

Buyer_Contact

FaxNumber

Code

買い手のFAX番号

UN01005860

BBIE

1910

IID53

発注者FAX番号

発注者のFAX番号

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:BuyerCITradeParty/ram:DefinedCITradeContact/ram:FaxCIUniversalCommunication/ram:CompleteNumber

2400

鑑ヘッダ

NC13-07

NC13

07

3

0..1

買い手メールアドレス

BBIE

Buyer_Contact

MailAddress

Text

買い手の電子メールアドレス。

UN01005858

BBIE

1920

IID54

発注者メールアドレス

発注者の電子メールアドレス。

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:BuyerCITradeParty/ram:DefinedCITradeContact/ram:EmailURICIUniversalCommunication/ram:URIID

1940

IBT-058

0..1

3

Buyer contact email address

買い手連絡先電子メールアドレス

An e-mail address for the contact point.

買い手の連絡先電子メールアドレス。

/Invoice/cac:AccountingCustomerParty/cac:Party/cac:Contact/cbc:ElectronicMail

2410

鑑ヘッダ

NC12-NC14

NC12

NC14

2

0..1

買い手住所

ASBIE

Buyer_Party

Postal

__

Buyer_Address

買い手住所に関する情報のグループ

UN01005762

ASBIE

1930

ICL11

発注者/住所グループ

発注者の住所に関するグループ。

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:BuyerCITradeParty/ram:PostalCITradeAddress

1780

IBG-08

1..1

2

BUYER POSTAL ADDRESS

買い手住所

A group of business terms providing information about the postal address for the Buyer.

買い手の住所に関する情報を提供するビジネス用語のグループ。

/Invoice/cac:AccountingCustomerParty/cac:Party/cac:PostalAddress

2420

鑑ヘッダ

NC14-01

NC14

01

3

0..1

買い手郵便番号

BBIE

Buyer_Address

PostcodeCode

Code

買い手の郵便番号。

UN01005689

BBIE

1940

IID55

発注者郵便番号

発注者の郵便番号。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:BuyerCITradeParty/ram:PostalCITradeAddress/ram:PostcodeCode

1820

IBT-053

0..1

3

Buyer post code

買い手郵便番号

The identifier for an addressable group of properties according to the relevant postal service.

買い手の住所の郵便番号。

/Invoice/cac:AccountingCustomerParty/cac:Party/cac:PostalAddress/cbc:PostalZone

2430

鑑ヘッダ

NC14-02

NC14

02

3

0..1

買い手住所1

BBIE

Buyer_Address

LineOne

Text

買い手の住所1行目。

UN01005692

BBIE

1950

IID56

発注者住所1

発注者の住所1行目。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:BuyerCITradeParty/ram:PostalCITradeAddress/ram:LineOne

1790

IBT-050

0..1

3

Buyer address line 1

買い手住所欄1

The main address line in an address.

買い手の住所の主な記載欄。

/Invoice/cac:AccountingCustomerParty/cac:Party/cac:PostalAddress/cbc:StreetName

2440

鑑ヘッダ

NC14-03

NC14

03

3

0..1

買い手住所2

BBIE

Buyer_Address

LineTwo

Text

買い手の住所2行目。

UN01005693

BBIE

1960

IID57

発注者住所2

発注者の住所2行目。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:BuyerCITradeParty/ram:PostalCITradeAddress/ram:LineTwo

1800

IBT-051

0..1

3

Buyer address line 2

買い手住所欄2

An additional address line in an address that can be used to give further details supplementing the main line.

買い手の住所の主な記載内容に加えて詳細な情報のために使用する追加記載欄。

/Invoice/cac:AccountingCustomerParty/cac:Party/cac:PostalAddress/cbc:AdditionalStreetName

2450

鑑ヘッダ

NC14-04

NC14

04

3

0..1

買い手住所3

BBIE

Buyer_Address

LineThree

Text

買い手の住所3行目。

UN01005694

BBIE

1970

IID58

発注者住所3

発注者の住所3行目。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:BuyerCITradeParty/ram:PostalCITradeAddress/ram:LineThree

1840

IBT-163

0..1

3

Buyer address line 3

買い手住所欄3

An additional address line in an address that can be used to give further details supplementing the main line.

買い手の住所の上記の記載内容に加えてより詳細な情報のために使用する追加記載欄。

/Invoice/cac:AccountingCustomerParty/cac:Party/cac:PostalAddress/cac:AddressLine/cbc:Line

2460

鑑ヘッダ

NC14-05

NC14

05

3

0..1

買い手住所 市区町村

BBIE

Buyer_Address

CityName

Text

買い手が所在する市、町、村の通称。

1810

IBT-052

0..1

3

Buyer city

買い手住所 市区町村

The common name of the city town or village where the Buyer’s address is located.

買い手が所在する市、町、村の通称。

/Invoice/cac:AccountingCustomerParty/cac:Party/cac:PostalAddress/cbc:CityName

2470

鑑ヘッダ

NC14-06

NC14

06

3

0..1

買い手住所 都道府県

BBIE

Buyer_Address

CountrySubentity

Text

買い手の住所の地方区分。

1830

IBT-054

0..1

3

Buyer country subdivision

買い手住所 都道府県

The subdivision of a country.

買い手の住所の地方区分。

/Invoice/cac:AccountingCustomerParty/cac:Party/cac:PostalAddress/cbc:CountrySubentity

2480

鑑ヘッダ

NC14-07

NC14

07

3

0..1

買い手国識別子

BBIE

Buyer_Address

CountryID

Code

買い手の国ID。デフォルトは「JP」

UN01005700

BBIE

1980

IID59

発注者国識別子

発注者の国ID。デフォルトは「JP」

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeAgreement/ram:BuyerCITradeParty/ram:PostalCITradeAddress/ram:CountryID

1850

IBT-055

1..1

3

Buyer country code

買い手国コード

A code that identifies the country.

買い手の住所の国コード。

/Invoice/cac:AccountingCustomerParty/cac:Party/cac:PostalAddress/cac:Country/cbc:IdentificationCode

2490

鑑ヘッダ

NC00-NC15

NC00

NC15

1

0..1

請求者

ASBIE

Invoice

Invoicer

__

Invoicer_Party

請求者に関する情報のグループ

UN01005916

ASBIE

2370

ICL15

請求者クラス

請求者に関する情報からなるクラス。

0..1

4

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoicerCITradeParty

1950

IBG-10

0..1

1

PAYEE

支払先

A group of business terms providing information about the Payee i.e. the role that receives the payment.

支払先に係る情報を提供するビジネス用語のグループ。

/Invoice/cac:PayeeParty

2500

鑑ヘッダ

NC15-01

NC15

01

2

0..1

請求者コード

BBIE

Invoicer_Party

ID

Identifier

請求者のコード。

UN01005757

BBIE

2380

IID67

請求者コード

請求者のコード。

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoicerCITradeParty/ram:ID

1960

IBT-060

0..1

2

Payee identifier

支払先ID

An identifier for the Payee.

支払先のID。

/Invoice/cac:PayeeParty/cac:PartyIdentification/cbc:ID

2510

鑑ヘッダ

NC15-02

NC15

02

2

0..1

請求者コードスキーマID

BBIE

Invoicer_Party

IDSchemeID

Code

コードの発番機関コード

1970

IBT-060-1

0..1

2

Payee identifier Scheme identifier

スキーマID

If used the identification scheme shall be chosen from the entries of the list published by the ISO/IEC 6523 maintenance agency.

使用する場合、識別スキーマは、ISO/ IEC 6523 保守機関として公開されたリストから選択しなければならない。

/Invoice/cac:PayeeParty/cac:PartyIdentification/cbc:ID/@schemeID

2520

鑑ヘッダ

NC15-03

NC15

03

2

0..1

請求者国際企業コード

BBIE

Invoicer_Party

GlobalID

Identifier

請求者の国際企業コード。中小企業共通EDIでは法人番号を利用

UN01005758

BBIE

2390

IID68

請求者国際企業コード

請求者の国際企業コード。中小企業共通EDIでは法人番号を利用

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoicerCITradeParty/ram:GlobalID

1990

IBT-061

0..1

2

Payee legal registration identifier

支払先登録企業ID

An identifier issued by an official registrar that identifies the Payee as a legal entity or person.

公的登録機関が発行した公的識別子としての支払先の国際企業ID。

/Invoice/cac:PayeeParty/cac:PartyLegalEntity/cbc:CompanyID

2530

鑑ヘッダ

NC15-04

NC15

04

2

0..1

請求者国際企業コードスキーマID

BBIE

Invoicer_Party

GlobalIDSchemeID

Code

コードの発番機関コード

2000

IBT-061-1

0..1

3

Payee legal registration identifier Scheme identifier

スキーマID

If used the identification scheme shall be chosen from the entries of the list published by the ISO/IEC 6523 maintenance agency.

使用する場合、公的機登録機関の識別スキーマは、ISO/IEC6523保守機関として公開されているリストから選択しなければならない。

/Invoice/cac:PayeeParty/cac:PartyLegalEntity/cbc:CompanyID/@schemeID

2540

鑑ヘッダ

NC15-05

NC15

05

2

0..1

請求者名称

BBIE

Invoicer_Party

Name

Text

請求者の企業等を表す名称。

UN01005759

BBIE

2400

IID69

請求者名称

請求者の企業等を表す名称。

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoicerCITradeParty/ram:Name

1980

IBT-059

1..1

2

Payee name

支払先名称

The name of the Payee.

支払先の名称。

/Invoice/cac:PayeeParty/cac:PartyName/cbc:Name

2550

鑑ヘッダ

NC15-06

NC15

06

2

0..1

請求者適格請求書発行事業者登録番号

BBIE

Invoicer_Party

RegisteredID

Code

登録された請求者の適格請求書発行事業者登録番号

UN01013039

BBIE

2410

IID70

請求者適格請求書発行事業者登録番号

登録された請求者の適格請求書発行事業者登録番号

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoicerCITradeParty/ram:RegisteredID

2560

鑑ヘッダ

NC15-07

NC15

07

2

1..1

請求者タイプコード

BBIE

Invoicer_Party

TypeCode

Code

適格請求書発行事業者の課税区分を識別するコード

UN01012925

BBIE

2420

IID71

請求者タイプコード

適格請求書発行事業者の課税区分を識別するコード

1..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoicerCITradeParty/ram:TypeCode

2570

鑑ヘッダ

送信者の国際アドレスグループ

UN01005763

ASBIE

2570

ICL18

送信者/国際アドレスグループ

送信者の国際アドレスグループ

1..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoicerCITradeParty/ram:EndPointURICIUniversalCommunication

2580

鑑ヘッダ

NC15-08

NC15

08

2

1..1

国際アドレス

BBIE

Invoicer_Party

EndPointAddress

Code

jp-pint対応国際アドレス番号

UN01005860

BBIE

2580

IID85

国際アドレス

jp-pint対応国際アドレス番号

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoicerCITradeParty/ram:EndPointURICIUniversalCommunication/ram:CompleteNumber

2590

鑑ヘッダ

NC15-09

NC15

09

2

1..1

国際アドレス登録機関コード

BBIE

Invoicer_Party

EndPointAddressChannelCode

Code

JP-PINT対応国際アドレス登録機関のコード

UN01005859

BBIE

2590

IID84

国際アドレス登録機関コード

JP-PINT対応国際アドレス登録機関のコード

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoicerCITradeParty/ram:EndPointURICIUniversalCommunication/ram:ChannelCode

2600

鑑ヘッダ

NC15-NC16

NC15

NC16

2

0..1

請求者連絡先

ASBIE

Invoicer_Party

Defined

__

Invoicer_Contact

連絡先に関する情報のグループ

UN01005761

ASBIE

2430

ICL16

請求者連絡先クラス

連絡先に関する情報からなるクラス。

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoicerCITradeParty/ram:DefinedCITradeContact

2610

鑑ヘッダ

NC16-01

NC16

01

3

0..1

請求部門コード

BBIE

Invoicer_Contact

ID

Code

請求者の請求部門を表すコード。

UN01005719

BBIE

2440

IID72

請求部門コード

請求者の請求部門を表すコード。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoicerCITradeParty/ram:DefinedCITradeContact/ram:ID

2620

鑑ヘッダ

NC16-02

NC16

02

3

0..1

請求者担当名

BBIE

Invoicer_Contact

PersonName

Text

請求者個人の、文字で表現された名前。

UN01005720

BBIE

2450

IID73

請求者担当名

請求者個人の、文字で表現された名前。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoicerCITradeParty/ram:DefinedCITradeContact/ram:PersonName

2630

鑑ヘッダ

NC16-03

NC16

03

3

0..1

請求者部門名

BBIE

Invoicer_Contact

DepartmentName

Text

請求者の請求部門の名称。

UN01005721

BBIE

2460

IID74

請求者部門名

請求者の請求部門の名称。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoicerCITradeParty/ram:DefinedCITradeContact/ram:DepartmentName

2640

鑑ヘッダ

NC16-04

NC16

04

3

0..1

請求者担当コード

BBIE

Invoicer_Contact

PersonID

Code

請求者個人を表すコード

UN01005725

BBIE

2470

IID75

請求者担当コード

請求者個人を表すコード

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoicerCITradeParty/ram:DefinedCITradeContact/ram:PersonID

2650

鑑ヘッダ

NC16-05

NC16

05

3

0..1

請求者電話番号

BBIE

Invoicer_Contact

PhoneNumber

Code

請求者の電話番号。

UN01005860

BBIE

2480

IID76

請求者電話番号

請求者の電話番号。

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoicerCITradeParty/ram:DefinedCITradeContact/ram:TelephoneCIUniversalCommunication/ram:CompleteNumber

2660

鑑ヘッダ

NC16-06

NC16

06

3

0..1

請求者FAX番号

BBIE

Invoicer_Contact

FaxNumber

Code

請求者のFAX番号

UN01005860

BBIE

2490

IID77

請求者FAX番号

請求者のFAX番号

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoicerCITradeParty/ram:DefinedCITradeContact/ram:FaxCIUniversalCommunication/ram:CompleteNumber

2670

鑑ヘッダ

NC16-07

NC16

07

3

0..1

請求者メールアドレス

BBIE

Invoicer_Contact

MailAddress

Code

請求者の電子メールアドレス。

UN01005858

BBIE

2500

IID78

請求者メールアドレス

請求者の電子メールアドレス。

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoicerCITradeParty/ram:DefinedCITradeContact/ram:EmailURICIUniversalCommunication/ram:URIID

2680

鑑ヘッダ

NC15-NC17

NC15

NC17

2

0..1

請求者住所

ASBIE

Invoicer_Party

Postal

__

Invoicer_Address

請求者住所に関する情報のグループ

UN01005762

ASBIE

2510

ICL17

請求者住所クラス

請求者住所に関する情報からなるクラス。

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoicerCITradeParty/ram:PostalCITradeAddress

2690

鑑ヘッダ

NC17-01

NC17

01

3

0..1

請求者郵便番号

BBIE

Invoicer_Address

PostcodeCode

Code

請求者の郵便番号。

UN01005689

BBIE

2520

IID79

請求者郵便番号

請求者の郵便番号。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoicerCITradeParty/ram:PostalCITradeAddress/ram:PostcodeCode

2700

鑑ヘッダ

NC17-02

NC17

02

3

0..1

請求者住所1

BBIE

Invoicer_Address

LineOne

Text

請求者の住所1行目。

UN01005692

BBIE

2530

IID80

請求者住所1

請求者の住所1行目。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoicerCITradeParty/ram:PostalCITradeAddress/ram:LineOne

2710

鑑ヘッダ

NC17-03

NC17

03

3

0..1

請求者住所2

BBIE

Invoicer_Address

LineTwo

Text

請求者の住所2行目。

UN01005693

BBIE

2540

IID81

請求者住所2

請求者の住所2行目。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoicerCITradeParty/ram:PostalCITradeAddress/ram:LineTwo

2720

鑑ヘッダ

NC17-04

NC17

04

3

0..1

請求者住所3

BBIE

Invoicer_Address

LineThree

Text

請求者の住所3行目。

UN01005694

BBIE

2550

IID82

請求者住所3

請求者の住所3行目。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoicerCITradeParty/ram:PostalCITradeAddress/ram:LineThree

2730

鑑ヘッダ

NC17-05

NC17

05

3

1..1

請求者国識別子

BBIE

Invoicer_Address

CountryID

Code

請求者の国ID。デフォルトは「JP」

UN01005700

BBIE

2560

IID83

請求者国識別子

請求者の国ID。デフォルトは「JP」

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoicerCITradeParty/ram:PostalCITradeAddress/ram:CountryID

2740

鑑ヘッダ

NC00-NC18

NC00

NC18

1

0..1

請求先

ASBIE

Invoice

Invoicee

__

Invoicee_Party

請求先にかかわるグループ

UN01005917

ASBIE

2600

ICL19

インボイス文書決済/請求先グループ

請求先にかかわるグループ

0..1

4

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceeCITradeParty

2750

鑑ヘッダ

NC18-01

NC18

01

2

0..1

請求先識別子

BBIE

Invoicee_Party

ID

Code

請求を受ける企業等を表す識別子。

UN01005757

BBIE

2610

IID86

請求先識別子

請求を受ける企業等を表す識別子。

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceeCITradeParty/ram:ID

2760

鑑ヘッダ

NC18-02

NC18

02

2

0..1

請求先国際企業識別子

BBIE

Invoicee_Party

GlobalID

Code

請求を受ける企業等を表す法人識別子。

UN01005758

BBIE

2620

IID87

請求先国際企業識別子

請求を受ける企業等を表す法人識別子。

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceeCITradeParty/ram:GlobalID

2770

鑑ヘッダ

NC18-03

NC18

03

2

0..1

請求先名称

BBIE

Invoicee_Party

Name

Text

請求を受ける企業等の名称

UN01005759

BBIE

2630

IID88

請求先名称

請求を受ける企業等の名称

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceeCITradeParty/ram:Name

2780

鑑ヘッダ

送信者の国際アドレスグループ

UN01005765

ASBIE

2780

ICL22

請求先/国際アドレスグループ

送信者の国際アドレスグループ

1..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceeCITradeParty/ram:EndPointURICIUniversalCommunication

2790

鑑ヘッダ

NC18-04

NC18

04

2

1..1

請求先国際アドレス

BBIE

Invoicee_Party

EndPointAddress

Code

JP-PINT対応国際アドレス登録機関のコード

UN01005859

BBIE

2790

IID101

国際アドレス登録機関コード

JP-PINT対応国際アドレス登録機関のコード

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceeCITradeParty/ram:EndPointURICIUniversalCommunication/ram:CompleteNumber

2800

鑑ヘッダ

NC18-05

NC18

05

2

1..1

請求先国際アドレス登録機関コード

BBIE

Invoicee_Party

EndPointAddressChannelCode

Code

jp-pint対応国際アドレス番号

UN01005860

BBIE

2800

IID102

国際アドレス

jp-pint対応国際アドレス番号

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceeCITradeParty/ram:EndPointURICIUniversalCommunication/ram:ChannelCode

2810

鑑ヘッダ

NC18-NC19

NC18

NC19

2

0..1

請求先連絡先

ASBIE

Invoicee_Party

Defined

__

Invoicee_Contact

請求先の連絡先に関するグループ

UN01005761

ASBIE

2640

ICL20

請求先/連絡先グループ

請求先の連絡先に関するグループ

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceeCITradeParty/ram:DefinedCITradeContact

2820

鑑ヘッダ

NC19-01

NC19

01

3

0..1

請求先部門識別子

BBIE

Invoicee_Contact

ID

Code

請求先の部門を表すコード。

UN01005719

BBIE

2650

IID89

請求先部門識別子

請求先の部門を表すコード。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceeCITradeParty/ram:DefinedCITradeContact/ram:ID

2830

鑑ヘッダ

NC19-02

NC19

02

3

0..1

請求先担当名

BBIE

Invoicee_Contact

PersonName

Text

請求先の担当者の名称

UN01005720

BBIE

2660

IID90

請求先担当名

請求先の担当者の名称

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceeCITradeParty/ram:DefinedCITradeContact/ram:PersonName

2840

鑑ヘッダ

NC19-03

NC19

03

3

0..1

請求先部門名

BBIE

Invoicee_Contact

DepartmentName

Text

請求先の部門を表す名称

UN01005721

BBIE

2670

IID91

請求先部門名

請求先の部門を表す名称

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceeCITradeParty/ram:DefinedCITradeContact/ram:DepartmentName

2850

鑑ヘッダ

NC19-04

NC19

04

3

0..1

請求先担当識別子

BBIE

Invoicee_Contact

PersonID

Code

請求先個人を表す識別子

UN01005725

BBIE

2680

IID92

請求先担当識別子

請求先個人を表す識別子

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceeCITradeParty/ram:DefinedCITradeContact/ram:PersonID

2860

鑑ヘッダ

NC19-05

NC19

05

3

0..1

請求先電話番号

BBIE

Invoicee_Contact

PhoneNumber

Code

請求先の電話番号。

UN01005860

BBIE

2690

IID93

請求先電話番号

請求先の電話番号。

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceeCITradeParty/ram:DefinedCITradeContact/ram:TelephoneCIUniversalCommunication/ram:CompleteNumber

2870

鑑ヘッダ

NC19-06

NC19

06

3

0..1

請求先FAX番号

BBIE

Invoicee_Contact

FaxNumber

Code

請求先のFAX番号

UN01005860

BBIE

2700

IID94

請求先FAX番号

請求先のFAX番号

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceeCITradeParty/ram:DefinedCITradeContact/ram:FaxCIUniversalCommunication/ram:CompleteNumber

2880

鑑ヘッダ

NC19-07

NC19

07

3

0..1

請求先メールアドレス

BBIE

Invoicee_Contact

MailAddress

Code

請求先の電子メールアドレス。

UN01005858

BBIE

2710

IID95

請求先メールアドレス

請求先の電子メールアドレス。

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceeCITradeParty/ram:DefinedCITradeContact/ram:EmailURICIUniversalCommunication/ram:URIID

2890

鑑ヘッダ

NC18-NC20

NC18

NC20

2

0..1

請求先住所

ASBIE

Invoicee_Party

Postal

__

Invoicee_Address

請求先の住所に関するグループ。

UN01005762

ASBIE

2720

ICL21

請求先/住所グループ

請求先の住所に関するグループ。

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceeCITradeParty/ram:PostalCITradeAddress

2900

鑑ヘッダ

NC20-01

NC20

01

3

0..1

請求先郵便番号

BBIE

Invoicee_Address

PostcodeCode

Code

請求先の郵便番号。

UN01005689

BBIE

2730

IID96

請求先郵便番号

請求先の郵便番号。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceeCITradeParty/ram:PostalCITradeAddress/ram:PostcodeCode

2910

鑑ヘッダ

NC20-02

NC20

02

3

0..1

請求先住所1

BBIE

Invoicee_Address

LineOne

Text

請求先の住所1行目。

UN01005692

BBIE

2740

IID97

請求先住所1

請求先の住所1行目。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceeCITradeParty/ram:PostalCITradeAddress/ram:LineOne

2920

鑑ヘッダ

NC20-03

NC20

03

3

0..1

請求先住所2

BBIE

Invoicee_Address

LineTwo

Text

請求先の住所2行目。

UN01005693

BBIE

2750

IID98

請求先住所2

請求先の住所2行目。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceeCITradeParty/ram:PostalCITradeAddress/ram:LineTwo

2930

鑑ヘッダ

NC20-04

NC20

04

3

0..1

請求先住所3

BBIE

Invoicee_Address

LineThree

Text

請求先の住所3行目。

UN01005694

BBIE

2760

IID99

請求先住所3

請求先の住所3行目。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceeCITradeParty/ram:PostalCITradeAddress/ram:LineThree

2940

鑑ヘッダ

NC20-05

NC20

05

3

1..1

請求先国識別子

BBIE

Invoicee_Address

CountryID

Code

請求先の国ID。デフォルトは「JP」

UN01005700

BBIE

2770

IID100

請求先国識別子

請求先の国ID。デフォルトは「JP」

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceeCITradeParty/ram:PostalCITradeAddress/ram:CountryID

2950

鑑ヘッダ

NC00-NC21

NC00

NC21

1

0..1

支払先

ASBIE

Invoice

Payee

__

Payee_Party

支払先にかかわる情報

UN01005918

ASBIE

2810

ICL23

インボイス文書決済/支払先グループ

支払先にかかわる情報

0..1

4

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayeeCITradeParty

2960

鑑ヘッダ

NC21-01

NC21

01

2

0..1

支払先識別子

BBIE

Payee_Party

ID

Code

支払先の識別子。

UN01005757

BBIE

2820

IID103

支払先識別子

支払先の識別子。

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayeeCITradeParty/ram:ID

2970

鑑ヘッダ

NC21-02

NC21

02

2

0..1

支払先国際企業識別子

BBIE

Payee_Party

GlobalID

Code

支払先の国際企業識別子。

UN01005758

BBIE

2830

IID104

支払先国際企業識別子

支払先の国際企業識別子。

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayeeCITradeParty/ram:GlobalID

2980

鑑ヘッダ

NC21-03

NC21

03

2

0..1

支払先名称

BBIE

Payee_Party

Name

Text

支払先の企業等を表す名称。

UN01005759

BBIE

2840

IID105

支払先名称

支払先の企業等を表す名称。

1..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayeeCITradeParty/ram:Name

2990

鑑ヘッダ

NC21-NC22

NC21

NC22

2

0..1

支払先連絡先

ASBIE

Payee_Party

Defined

__

Payee_Contact

支払先の連絡先に関するグループ

UN01005761

ASBIE

2850

ICL24

支払先/連絡先グループ

支払先の連絡先に関するグループ

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayeeCITradeParty/ram:DefinedCITradeContact

3000

鑑ヘッダ

NC22-01

NC22

01

3

0..1

支払先部門識別子

BBIE

Payee_Contact

ID

Code

支払先の支払先部門を表す識別子。

UN01005719

BBIE

2860

IID106

支払先部門識別子

支払先の支払先部門を表す識別子。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayeeCITradeParty/ram:DefinedCITradeContact/ram:ID

3010

鑑ヘッダ

NC22-02

NC22

02

3

0..1

支払先担当名

BBIE

Payee_Contact

PersonName

Text

支払先個人の、文字で表現された名前。

UN01005720

BBIE

2870

IID107

支払先担当名

支払先個人の、文字で表現された名前。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayeeCITradeParty/ram:DefinedCITradeContact/ram:PersonName

3020

鑑ヘッダ

NC22-03

NC22

03

3

0..1

支払先部門名

BBIE

Payee_Contact

DepartmentName

Text

支払先の請求部門の名称。

UN01005721

BBIE

2880

IID108

支払先部門名

支払先の請求部門の名称。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayeeCITradeParty/ram:DefinedCITradeContact/ram:DepartmentName

3030

鑑ヘッダ

NC22-04

NC22

04

3

0..1

支払先担当識別子

BBIE

Payee_Contact

PersonID

Code

支払先個人を表す識別子

UN01005725

BBIE

2890

IID109

支払先担当識別子

支払先個人を表す識別子

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayeeCITradeParty/ram:DefinedCITradeContact/ram:PersonID

3040

鑑ヘッダ

NC22-05

NC22

05

3

0..1

支払先電話番号

BBIE

Payee_Contact

PhoneNumber

Code

支払先の電話番号。

UN01005860

BBIE

2900

IID110

支払先電話番号

支払先の電話番号。

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayeeCITradeParty/ram:DefinedCITradeContact/ram:TelephoneCIUniversalCommunication/ram:CompleteNumber

3050

鑑ヘッダ

NC22-06

NC22

06

3

0..1

支払先FAX番号

BBIE

Payee_Contact

FaxNumber

Code

支払先のFAX番号

UN01005860

BBIE

2910

IID111

支払先FAX番号

支払先のFAX番号

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayeeCITradeParty/ram:DefinedCITradeContact/ram:FaxCIUniversalCommunication/ram:CompleteNumber

3060

鑑ヘッダ

NC22-07

NC22

07

3

0..1

支払先メールアドレス

BBIE

Payee_Contact

MailAddress

Code

支払先の電子メールアドレス。

UN01005858

BBIE

2920

IID112

支払先メールアドレス

支払先の電子メールアドレス。

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayeeCITradeParty/ram:DefinedCITradeContact/ram:EmailURICIUniversalCommunication/ram:URIID

3070

鑑ヘッダ

NC21-NC23

NC21

NC23

2

0..1

支払先住所

ASBIE

Payee_Party

Postal

__

Payee_Address

支払先の住所に関するグループ。

UN01005762

ASBIE

2930

ICL25

支払先/住所グループ

支払先の住所に関するグループ。

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayeeCITradeParty/ram:PostalCITradeAddress

3080

鑑ヘッダ

NC23-01

NC23

01

3

0..1

支払先郵便番号

BBIE

Payee_Address

PostcodeCode

Code

支払先の郵便番号。

UN01005689

BBIE

2940

IID113

支払先郵便番号

支払先の郵便番号。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayeeCITradeParty/ram:PostalCITradeAddress/ram:PostcodeCode

3090

鑑ヘッダ

NC23-02

NC23

02

3

0..1

支払先住所1

BBIE

Payee_Address

LineOne

Text

支払先の住所1行目。

UN01005692

BBIE

2950

IID114

支払先住所1

支払先の住所1行目。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayeeCITradeParty/ram:PostalCITradeAddress/ram:LineOne

3100

鑑ヘッダ

NC23-03

NC23

03

3

0..1

支払先住所2

BBIE

Payee_Address

LineTwo

Text

支払先の住所2行目。

UN01005693

BBIE

2960

IID115

支払先住所2

支払先の住所2行目。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayeeCITradeParty/ram:PostalCITradeAddress/ram:LineTwo

3110

鑑ヘッダ

NC23-04

NC23

04

3

0..1

支払先住所3

BBIE

Payee_Address

LineThree

Text

支払先の住所3行目。

UN01005694

BBIE

2970

IID116

支払先住所3

支払先の住所3行目。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayeeCITradeParty/ram:PostalCITradeAddress/ram:LineThree

3120

鑑ヘッダ

NC23-05

NC23

05

3

1..1

支払先国識別子

BBIE

Payee_Address

CountryID

Code

支払先の国ID。デフォルトは「JP」

UN01005700

BBIE

2980

IID117

支払先国識別子

支払先の国ID。デフォルトは「JP」

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayeeCITradeParty/ram:PostalCITradeAddress/ram:CountryID

3130

鑑ヘッダ

NC00-NC24

NC00

NC24

1

1..1

支払人

ASBIE

Invoice

Payer

__

Payer_Party

支払人にかかわる情報

UN01005919

ASBIE

2990

ICL26

インボイス文書決済/支払人グループ

支払人にかかわる情報

0..1

4

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayerCITradeParty

3140

鑑ヘッダ

NC24-01

NC24

01

2

1..1

支払人識別子

BBIE

Payer_Party

ID

Code

支払人の識別子。

UN01005757

BBIE

3000

IID118

支払人識別子

支払人の識別子。

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayerCITradeParty/ram:ID

3150

鑑ヘッダ

NC24-02

NC24

02

2

1..1

支払人国際企業識別子

BBIE

Payer_Party

GlobalID

Code

支払人の国際企業識別子。

UN01005758

BBIE

3010

IID119

支払人国際企業識別子

支払人の国際企業識別子。

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayerCITradeParty/ram:GlobalID

3160

鑑ヘッダ

NC24-03

NC24

03

2

0..1

支払人名称

BBIE

Payer_Party

Name

Text

支払人の企業等を表す名称。

UN01005759

BBIE

3020

IID120

支払人名称

支払人の企業等を表す名称。

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayerCITradeParty/ram:Name

3170

鑑ヘッダ

NC24-NC25

NC24

NC25

2

0..1

支払人連絡先

ASBIE

Payer_Party

Defined

__

Payer_Contact

支払人の連絡先に関する情報

UN01005761

ASBIE

3030

ICL27

支払人/連絡先グループ

支払人の連絡先に関する情報

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayerCITradeParty/ram:DefinedCITradeContact

3180

鑑ヘッダ

NC25-01

NC25

01

3

0..1

支払人部門識別子

BBIE

Payer_Contact

ID

Code

支払人の支払人部門を表す識別子。

UN01005719

BBIE

3040

IID121

支払人部門識別子

支払人の支払人部門を表す識別子。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayerCITradeParty/ram:DefinedCITradeContact/ram:ID

3190

鑑ヘッダ

NC25-02

NC25

02

3

0..1

支払人担当名

BBIE

Payer_Contact

PersonName

Text

支払人個人の、文字で表現された名前。

UN01005720

BBIE

3050

IID122

支払人担当名

支払人個人の、文字で表現された名前。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayerCITradeParty/ram:DefinedCITradeContact/ram:PersonName

3200

鑑ヘッダ

NC25-03

NC25

03

3

0..1

支払人部門名

BBIE

Payer_Contact

DepartmentName

Text

支払人の請求部門の名称。

UN01005721

BBIE

3060

IID123

支払人部門名

支払人の請求部門の名称。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayerCITradeParty/ram:DefinedCITradeContact/ram:DepartmentName

3210

鑑ヘッダ

NC25-04

NC25

04

3

0..1

支払人担当識別子

BBIE

Payer_Contact

PersonID

Code

支払人個人を表す識別子

UN01005725

BBIE

3070

IID124

支払人担当識別子

支払人個人を表す識別子

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayerCITradeParty/ram:DefinedCITradeContact/ram:PersonID

3220

鑑ヘッダ

NC25-05

NC25

05

3

0..1

支払人電話番号

BBIE

Payer_Contact

PhoneNumber

Code

支払人の電話番号。

UN01005860

BBIE

3080

IID125

支払人電話番号

支払人の電話番号。

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayerCITradeParty/ram:DefinedCITradeContact/ram:TelephoneCIUniversalCommunication/ram:CompleteNumber

3230

鑑ヘッダ

NC25-06

NC25

06

3

0..1

支払人FAX番号

BBIE

Payer_Contact

FaxNumber

Code

支払人のFAX番号

UN01005860

BBIE

3090

IID126

支払人FAX番号

支払人のFAX番号

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayerCITradeParty/ram:DefinedCITradeContact/ram:FaxCIUniversalCommunication/ram:CompleteNumber

3240

鑑ヘッダ

NC25-07

NC25

07

3

0..1

支払人メールアドレス

BBIE

Payer_Contact

MailAddress

Code

支払人の電子メールアドレス。

UN01005858

BBIE

3100

IID127

支払人メールアドレス

支払人の電子メールアドレス。

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayerCITradeParty/ram:DefinedCITradeContact/ram:EmailURICIUniversalCommunication/ram:URIID

3250

鑑ヘッダ

NC24-NC26

NC24

NC26

2

0..1

支払人住所

ASBIE

Payer_Party

Postal

__

Payer_Address

支払人の住所に関するグループ。

UN01005762

ASBIE

3110

ICL28

支払人/住所グループ

支払人の住所に関するグループ。

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayerCITradeParty/ram:PostalCITradeAddress

3260

鑑ヘッダ

NC26-01

NC26

01

3

0..1

支払人郵便番号

BBIE

Payer_Address

PostcodeCode

Code

支払人の郵便番号。

UN01005689

BBIE

3120

IID128

支払人郵便番号

支払人の郵便番号。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayerCITradeParty/ram:PostalCITradeAddress/ram:PostcodeCode

3270

鑑ヘッダ

NC26-02

NC26

02

3

0..1

支払人住所1

BBIE

Payer_Address

LineOne

Text

支払人の住所1行目。

UN01005692

BBIE

3130

IID129

支払人住所1

支払人の住所1行目。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayerCITradeParty/ram:PostalCITradeAddress/ram:LineOne

3280

鑑ヘッダ

NC26-03

NC26

03

3

0..1

支払人住所2

BBIE

Payer_Address

LineTwo

Text

支払人の住所2行目。

UN01005693

BBIE

3140

IID130

支払人住所2

支払人の住所2行目。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayerCITradeParty/ram:PostalCITradeAddress/ram:LineTwo

3290

鑑ヘッダ

NC26-04

NC26

04

3

0..1

支払人住所3

BBIE

Payer_Address

LineThree

Text

支払人の住所3行目。

UN01005694

BBIE

3150

IID131

支払人住所3

支払人の住所3行目。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayerCITradeParty/ram:PostalCITradeAddress/ram:LineThree

3300

鑑ヘッダ

NC26-05

NC26

05

3

1..1

支払人国識別子

BBIE

Payer_Address

CountryID

Code

支払人の国ID。デフォルトは「JP」

UN01005700

BBIE

3160

IID132

支払人国識別子

支払人の国ID。デフォルトは「JP」

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:PayerCITradeParty/ram:PostalCITradeAddress/ram:CountryID

3310

鑑ヘッダ

NC00-NC27

NC00

NC27

1

0..1

売り手税務代理人

ASBIE

Invoice

TaxRepesentative

__

TaxRepresentative_Party

売り手の税務代理人に係る情報を提供するビジネス用語のグループ。

2010

IBG-11

0..1

1

SELLER TAX REPRESENTATIVE PARTY

売り手税務代理人

A group of business terms providing information about the Seller’s tax representative.

売り手の税務代理人に係る情報を提供するビジネス用語のグループ。

/Invoice/cac:TaxRepresentativeParty

3320

鑑ヘッダ

NC27-01

NC27

01

2

1..1

売り手税務代理人名称

BBIE

TaxRepresentative_Party

Name

Text

売り手の税務代理人の名称。

2020

IBT-062

1..1

2

Seller tax representative name

売り手税務代理人名称

The full name of the Seller’s tax representative party.

売り手の税務代理人の名称。

/Invoice/cac:TaxRepresentativeParty/cac:PartyName/cbc:Name

3330

鑑ヘッダ

NC27-02

NC27

02

2

1..1

売り手税務代理人税ID

BBIE

TaxRepresentative_Party

RegisteredID

Identifier

売り手の税務代理人の税ID。

2110

IBT-063

1..1

2

Seller tax representative TAX identifier

売り手税務代理人税ID

The TAX identifier of the Seller’s tax representative party.

売り手の税務代理人の税ID。

/Invoice/cac:TaxRepresentativeParty/cac:PartyTaxScheme/cbc:CompanyID

3340

鑑ヘッダ

NC27-03

NC27

03

2

1..1

売り手税務代理人税ID課税コード

BBIE

TaxRepresentative_Party

RegisteredIDTaxSchema

Code

適格請求書発行事業者の課税区分を識別するコード

2120

IBT-063-1

1..1

3

Tax Scheme

税スキーマ

A code indicating the type of tax

税の種類を示すコード。VAT固定

VAT

/Invoice/cac:TaxRepresentativeParty/cac:PartyTaxScheme/cac:TaxScheme/cbc:ID

3350

鑑ヘッダ

NC27-NC28

NC27

NC28

2

1..1

売り手税務代理人住所

ASBIE

TaxRepresentative_Party

Postal

__

TaxRepresentative_Address

税務代理人の住所に関する情報を提供するビジネス用語のグループ。

2030

IBG-12

1..1

2

SELLER TAX REPRESENTATIVE POSTAL ADDRESS

売り手税務代理人住所

A group of business terms providing information about the postal address for the tax representative party.

税務代理人の住所に関する情報を提供するビジネス用語のグループ。

/Invoice/cac:TaxRepresentativeParty/cac:PostalAddress

3360

鑑ヘッダ

NC28-01

NC28

01

3

0..1

税務代理人住所欄1

BBIE

TaxRepresentative_Address

PostcodeCode

Code

税務代理人の住所の主な記載欄。

2040

IBT-064

0..1

3

Tax representative address line 1

税務代理人住所欄1

The main address line in an address.

税務代理人の住所の主な記載欄。

/Invoice/cac:TaxRepresentativeParty/cac:PostalAddress/cbc:StreetName

3370

鑑ヘッダ

NC28-02

NC28

02

3

0..1

税務代理人住所欄2

BBIE

TaxRepresentative_Address

LineOne

Text

税務代理人の住所の主な記載内容に加えて詳細な情報のために使用する追加記載欄。

2050

IBT-065

0..1

3

Tax representative address line 2

税務代理人住所欄2

An additional address line in an address that can be used to give further details supplementing the main line.

税務代理人の住所の主な記載内容に加えて詳細な情報のために使用する追加記載欄。

/Invoice/cac:TaxRepresentativeParty/cac:PostalAddress/cbc:AdditionalStreetName

3380

鑑ヘッダ

NC28-03

NC28

03

3

0..1

税務代理人住所欄3

BBIE

TaxRepresentative_Address

LineTwo

Text

税務代理人の住所の上記の記載内容に加えてより詳細な情報のために使用する追加記載欄。

2090

IBT-164

0..1

3

Tax representative address line 3

税務代理人住所欄3

An additional address line in an address that can be used to give further details supplementing the main line.

税務代理人の住所の上記の記載内容に加えてより詳細な情報のために使用する追加記載欄。

/Invoice/cac:TaxRepresentativeParty/cac:PostalAddress/cac:AddressLine/cbc:Line

3390

鑑ヘッダ

NC28-04

NC28

04

3

0..1

税務代理人住所 市区町村

BBIE

TaxRepresentative_Address

LineThree

Text

税務代理人が所在する市、町、村の通称。

2060

IBT-066

0..1

3

Tax representative city

税務代理人住所 市区町村

The common name of the city town or village where the tax representative address is located.

税務代理人が所在する市、町、村の通称。

/Invoice/cac:TaxRepresentativeParty/cac:PostalAddress/cbc:CityName

3400

鑑ヘッダ

NC28-05

NC28

05

3

0..1

税務代理人郵便番号

BBIE

TaxRepresentative_Address

CityName

Text

税務代理人の住所の郵便番号。

2070

IBT-067

0..1

3

Tax representative post code

税務代理人郵便番号

The identifier for an addressable group of properties according to the relevant postal service.

税務代理人の住所の郵便番号。

/Invoice/cac:TaxRepresentativeParty/cac:PostalAddress/cbc:PostalZone

3410

鑑ヘッダ

NC28-06

NC28

06

3

0..1

税務代理人住所 都道府県

BBIE

TaxRepresentative_Address

CountrySubentity

Text

税務代理人の住所の地方区分。

2080

IBT-068

0..1

3

Tax representative country subdivision

税務代理人住所 都道府県

The subdivision of a country.

税務代理人の住所の地方区分。

/Invoice/cac:TaxRepresentativeParty/cac:PostalAddress/cbc:CountrySubentity

3420

鑑ヘッダ

NC28-07

NC28

07

3

1..1

税務代理人国コード

BBIE

TaxRepresentative_Address

CountryID

Code

税務代理人の住所の国コード。

2100

IBT-069

1..1

3

Tax representative country code

税務代理人国コード

A code that identifies the country.

税務代理人の住所の国コード。

/Invoice/cac:TaxRepresentativeParty/cac:PostalAddress/cac:Country/cbc:IdentificationCode

3430

鑑ヘッダ

UN01005939

ASBIE

2020

インボイス文書取引内容/決済グループ

決済に関するグループ

1..1

3

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement

3440

鑑ヘッダ

NC00-NC29

NC00

NC29

1

0..n

支払済

ASBIE

Invoice

Specified

__

AdvancePayment

前払に関するグループ

UN01008773

ASBIE

2160

ICL43

インボイス文書決済/前払グループ

前払に関するグループ

0..n

4

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedAdvancePayment

2420

IBG-35

0..n

1

Paid amounts

支払済金額

Breakdown of the paid amount deducted from the amount due.

請求書通貨での支払済金額を提供するビジネス用語のグループ。

/Invoice/cac:PrepaidPayment

3450

鑑ヘッダ

NC29-01

NC29

01

2

0..1

前払金額

BBIE

AdvancePayment

PaidAmount

Amount

前払の金額

UN01001296

BBIE

2170

IID188

前払金額

前払の金額

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedAdvancePayment/ram:PaidAmount

2440

IBT-180

1..1

2

Paid amount

支払済金額

The amount of the payment in the invoice currency.

請求書通貨での支払済金額。

/Invoice/cac:PrepaidPayment/cbc:PaidAmount

3460

鑑ヘッダ

NC29-02

NC29

02

2

0..1

前払受領日

BBIE

AdvancePayment

ReceivedDateTime

Date

前払金額の受領日

UN01001297

BBIE

2180

IID189

前払受領日

前払金額の受領日

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedAdvancePayment/ram:ReceivedDateTime/udt:DateTimeString

2450

IBT-181

0..1

2

The date when the paid amount is debited to the invoice.

支払済金額が請求書に差引記載される日

The date when the prepaid amount was received by the seller.

前払金額を売り手が受領した日。

/Invoice/cac:PrepaidPayment/cbc:ReceivedDate

3470

鑑ヘッダ

NC29-03

NC29

03

2

0..1

前払識別子

BBIE

AdvancePayment

ID

Code

前払者が付与した前払識別子

JPS2300002

BBIE

2190

IID190

前払識別子

前払者が付与した前払識別子

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedAdvancePayment/ram:ID

2430

IBT-179

0..1

2

Payment identifier

支払ID

An identifier that references the payment such as bank transfer identifier.

銀行振込のIDなど、支払を参照するID

/Invoice/cac:PrepaidPayment/cbc:ID

3480

鑑ヘッダ

JPS2300003

ASBIE

2200

前払/支払条件グループ

前払の支払条件に関するグループ

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedAdvancePayment/ram:IdentifiedCITradePaymentTerms

3490

鑑ヘッダ

NC29-04

NC29

04

2

0..1

前払条件タイプコード

BBIE

AdvancePayment

TypeCode

Code

前払い支払条件のタイプを指定するコード

UN01008502

BBIE

2210

IID191

前払条件タイプコード

前払い支払条件のタイプを指定するコード

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedAdvancePayment/ram:IdentifiedCITradePaymentTerms/ram:TypeCode

2460

IBT-182

0..1

2

Payment type

支払タイプ

The type of the the payment.

支払いのタイプ。

/Invoice/cac:PrepaidPayment/cbc:InstructionID

3500

鑑ヘッダ

NC00-NC30

NC00

NC30

1

0..1

未決済合計金額

ASBIE

Invoice

OutstandingSpecified

__

Outstanding_MonetarySummation

未決済合計金額に関するグループ

UN01015492

ASBIE

2220

ICL44

インボイス文書決済/未決済合計金額グループ

未決済合計金額に関するグループ

0..1

4

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:OutstandingSpecifiedCIIHTradeSettlementMonetarySummation

3510

鑑ヘッダ

NC30-01

NC30

01

2

0..1

追加請求合計金額(消費税対象外)

BBIE

Outstanding_MonetarySummation

ChargeTotalAmount

Amount

消費税が関係しない追加請求合計金額。立替金等。\n(課税分類コード=Oの取引)

UN01005943

BBIE

2230

IID192

追加請求合計金額(消費税対象外)

消費税が関係しない追加請求合計金額。立替金等。\n(課税分類コード=Oの取引)

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:OutstandingSpecifiedCIIHTradeSettlementMonetarySummation/ram:ChargeTotalAmount

3520

鑑ヘッダ

NC30-02

NC30

02

2

0..1

返金合計金額(消費税対象外)

BBIE

Outstanding_MonetarySummation

AllowanceTotalAmount

Amount

消費税が関係しない返金合計金額。立替返金等。\n(課税分類コード=Oの取引)

UN01005944

BBIE

2240

IID193

返金合計金額(消費税対象外)

消費税が関係しない返金合計金額。立替返金等。\n(課税分類コード=Oの取引)

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:OutstandingSpecifiedCIIHTradeSettlementMonetarySummation/ram:AllowanceTotalAmount

3530

鑑ヘッダ

NC30-03

NC30

03

2

1..1

前回インボイス総合計金額(税込み)

BBIE

Outstanding_MonetarySummation

GrandTotalAmount

Amount

前回インボイス文書の総合計金額(税込み)

UN01005948

BBIE

2250

IID194

前回インボイス総合計金額(税込み)

前回インボイス文書の総合計金額(税込み)

1..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:OutstandingSpecifiedCIIHTradeSettlementMonetarySummation/ram:GrandTotalAmount

3540

鑑ヘッダ

NC30-04

NC30

04

2

1..1

入金済金額(前回インボイス分)

BBIE

Outstanding_MonetarySummation

TotalPrepaidAmount

Amount

前回インボイス文書総合計金額のうち、入金済合計金額

UN01005950

BBIE

2260

IID195

入金済金額(前回インボイス分)

前回インボイス文書総合計金額のうち、入金済合計金額

1..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:OutstandingSpecifiedCIIHTradeSettlementMonetarySummation/ram:TotalPrepaidAmount

3550

鑑ヘッダ

NC30-05

NC30

05

2

0..1

未決済総合計金額

BBIE

Outstanding_MonetarySummation

DuePayableAmount

Amount

未決済総合計金額=\n前回インボイス総合計金額(税込み)ー入金済金額(前回インボイス分)+追加請求合計額(消費税対象外)ー返金合計額(消費税対象外)

UN01008445

BBIE

2270

IID196

未決済総合計金額

未決済総合計金額=\n前回インボイス総合計金額(税込み)ー入金済金額(前回インボイス分)+追加請求合計額(消費税対象外)ー返金合計額(消費税対象外)

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:OutstandingSpecifiedCIIHTradeSettlementMonetarySummation/ram:DuePayableAmount

3560

鑑ヘッダ

NC00-NC31

NC00

NC31

1

0..n

支払手段

ASBIE

Invoice

Specified

__

PaymentMeans

取引決済の目的で支払が行われる、あるいは行われた手段のクラス

UN01005923

ASBIE

3170

ICL31

インボイス文書決済/支払手段グループ

インボイス文書決済に関する支払手段のグループ。

0..n

4

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCITradeSettlementPaymentMeans

2260

IBG-16

0..n

1

PAYMENT INSTRUCTIONS

支払指示

A group of business terms providing information about the payment.

取引条件のうち支払に関する情報を提供するビジネス用語のグループ。

/Invoice/cac:PaymentMeans

3570

鑑ヘッダ

NC31-01

NC31

01

2

0..1

支払指示ID

BBIE

PaymentMeans

PaymentMeans

Identifier

各支払指示に対して割り当てられるID。

2270

IBT-178

0..1

2

Payment Instructions ID

支払指示ID

An identifier for the payment instructions.

各支払指示に対して割り当てられるID。

/Invoice/cac:PaymentMeans/cbc:ID

3580

鑑ヘッダ

NC31-02

NC31

02

2

0..1

支払手段タイプコード

BBIE

PaymentMeans

TypeCode

Code

取引決済手段のタイプを識別するコード

UN01005672

BBIE

3180

IID141

支払手段タイプコード

取引決済手段のタイプを識別するコード

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCITradeSettlementPaymentMeans/ram:TypeCode

2280

IBT-081

1..1

2

Payment means type code

支払手段タイプコード

The means expressed as code for how a payment is expected to be or has been settled.

取引決済手段のタイプを識別するコード。

/Invoice/cac:PaymentMeans/cbc:PaymentMeansCode

3590

鑑ヘッダ

NC31-03

NC31

03

2

0..1

支払手段情報

BBIE

PaymentMeans

Information

Text

取引決済手段に関する情報

UN01011456

BBIE

3190

IID142

支払手段情報

取引決済手段に関する情報

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCITradeSettlementPaymentMeans/ram:Information

2290

IBT-082

0..1

2

Payment means text

支払手段内容説明

A textual description of the means/methods by which the payment is expected to be or has been settled.

取引決済手段を説明するテキスト。

/Invoice/cac:PaymentMeans/cbc:PaymentMeansCode/@name

3600

鑑ヘッダ

NC31-04

NC31

04

2

0..1

支払金額

BBIE

PaymentMeans

PaidAmount

Amount

取引決済手段で支払う金額

JPS2200010

BBIE

3200

IID143

支払金額

取引決済手段で支払う金額

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCITradeSettlementPaymentMeans/ram:PaidAmount

3610

鑑ヘッダ

NC31-NC32

NC31

NC32

2

0..1

金融口座

ASBIE

PaymentMeans

PayeePartyCreditor

__

FinancialAccount

取引決済の支払手段に関する受取人である当事者の債権者金融口座のグループ

UN01005677

ASBIE

3210

ICL32

支払手段/金融口座グループ

取引決済の支払手段に関する受取人である当事者の債権者金融口座のグループ

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCITradeSettlementPaymentMeans/ram:PayeePartyCICreditorFinancialAccount

2330

IBG-17

0..1

2

CREDIT TRANSFER

銀行振込

A group of business terms to specify credit transfer payments.

銀行振込による支払を指定する情報を提供するビジネス用語のグループ。

/Invoice/cac:PaymentMeans/cac:PayeeFinancialAccount

3620

鑑ヘッダ

NC32-01

NC32

01

3

0..1

口座名義

BBIE

FinancialAccount

AccountName

Text

債権者金融口座の、文字で表現された口座名。\n半角カナ(日本の場合)

UN01005400

BBIE

3220

IID144

口座名義

債権者金融口座の、文字で表現された口座名。\n半角カナ(日本の場合)

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCITradeSettlementPaymentMeans/ram:PayeePartyCICreditorFinancialAccount/ram:AccountName

2350

IBT-085

0..1

3

Payment account name

支払先口座名義人名

The name of the payment account at a payment service provider to which payment should be made.

支払先口座の口座名義人名。

/Invoice/cac:PaymentMeans/cac:PayeeFinancialAccount/cbc:Name

3630

鑑ヘッダ

NC32-02

NC32

02

3

0..1

口座番号

BBIE

FinancialAccount

ProprietaryID

Identifier

債権者金融口座の一意の所有者識別子。

UN01005401

BBIE

3230

IID145

口座番号

債権者金融口座の一意の所有者識別子。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCITradeSettlementPaymentMeans/ram:PayeePartyCICreditorFinancialAccount/ram:ProprietaryID

2340

IBT-084

1..1

3

Payment account identifier

支払先口座ID

A unique identifier of the financial payment account at a payment service provider to which payment should be made.

支払先となる金融機関の口座ID。IBAN(SEPA支払いの場合)など。

/Invoice/cac:PaymentMeans/cac:PayeeFinancialAccount/cbc:ID

3640

鑑ヘッダ

NC32-03

NC32

03

3

0..1

口座種別コード

BBIE

FinancialAccount

TypeCode

Code

債権者金融口座種別の識別子。

UN01012127

BBIE

3240

IID146

口座種別コード

債権者金融口座種別の識別子。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCITradeSettlementPaymentMeans/ram:PayeePartyCICreditorFinancialAccount/ram:TypeCode

3650

鑑ヘッダ

UN01005679

ASBIE

3250

ICL33

支払手段/金融機関グループ

取引決済の支払手段に対して特定された受取人である当事者の債権者金融機関のグループ

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCITradeSettlementPaymentMeans/ram:PayeeSpecifiedCICreditorFinancialInstitution

3660

鑑ヘッダ

NC32-04

NC32

04

3

0..1

金融機関名

BBIE

FinancialAccount

Name

Text

債権者金融機関の、文字で表現された名前。

UN01005426

BBIE

3260

IID147

金融機関名

債権者金融機関の、文字で表現された名前。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCITradeSettlementPaymentMeans/ram:PayeeSpecifiedCICreditorFinancialInstitution/ram:Name

2360

IBT-169

0..1

3

Account address line 1

支払先口座住所欄1

The main address line in an address.

税務代理人の住所の主な記載欄。

/Invoice/cac:PaymentMeans/cac:PayeeFinancialAccount/cac:FinancialInstitutionBranch/cac:Address/cbc:StreetName

3670

鑑ヘッダ

NC32-05

NC32

05

3

0..1

金融機関番号

BBIE

FinancialAccount

JapanFinancialInstitutionCommonID

Identifier

債権者の金融機関番号(日本の場合)

UN01011521

BBIE

3270

IID148

金融機関番号

債権者の金融機関番号(日本の場合)

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCITradeSettlementPaymentMeans/ram:PayeeSpecifiedCICreditorFinancialInstitution/ram:JapanFinancialInstitutionCommonID

3680

鑑ヘッダ

UN01005428

ASBIE

3280

ICL34

金融機関/金融機関支店グループ

債権者金融機関の支店金融機関グループ

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCITradeSettlementPaymentMeans/ram:PayeeSpecifiedCICreditorFinancialInstitution/ram:Sub-DivisionBranchFinancialInstitution

3690

鑑ヘッダ

NC32-06

NC32

06

3

0..1

金融機関支店番号

BBIE

FinancialAccount

ID

Identifier

金融機関のこの支店の一意識別子

UN01003139

BBIE

3290

IID149

金融機関支店番号

金融機関のこの支店の一意識別子

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCITradeSettlementPaymentMeans/ram:PayeeSpecifiedCICreditorFinancialInstitution/ram:Sub-DivisionBranchFinancialInstitution/ram:ID

3700

鑑ヘッダ

NC32-07

NC32

07

3

0..1

金融機関支店名

BBIE

FinancialAccount

Name

Text

金融機関のこの支店の、文字で表現された名前

UN01003140

BBIE

3300

IID150

金融機関支店名

金融機関のこの支店の、文字で表現された名前

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCITradeSettlementPaymentMeans/ram:PayeeSpecifiedCICreditorFinancialInstitution/ram:Sub-DivisionBranchFinancialInstitution/ram:Name

3710

鑑ヘッダ

NC31-NC33

NC31

NC33

2

0..1

金融カード

ASBIE

PaymentMeans

ApplicableTradeSettlement

__

FinancialCard

支払人の金融カードのクラス

UN01006057

ASBIE

3310

ICL35

支払手段/金融カードグループ

支払手段の金融カードに関するグループ

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCITradeSettlementPaymentMeans/ram:ApplicableTradeSettlementFinancialCard

2300

IBG-18

0..1

2

PAYMENT CARD INFORMATION

支払カード情報

A group of business terms providing information about card used for payment contemporaneous with invoice issuance.

請求書発行と同時に支払に使用されるカードに関する情報を提供するビジネス用語のグループ。

/Invoice/cac:PaymentMeans/cac:CardAccount

3720

鑑ヘッダ

NC33-01

NC33

01

3

1..1

金融カード番号

BBIE

FinancialCard

ID

Text

支払人の金融カード番号

UN01004495

BBIE

3320

IID151

金融カード番号

支払人の金融カード番号

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCITradeSettlementPaymentMeans/ram:ApplicableTradeSettlementFinancialCard/ram:ID

2310

IBT-087

1..1

3

Payment card primary account number

支払カード番号

The Primary Account Number (PAN) of the card used for payment.

支払に使用するカードの支払カード番号。

/Invoice/cac:PaymentMeans/cac:CardAccount/cbc:PrimaryAccountNumberID

3730

鑑ヘッダ

NC33-02

NC33

02

3

0..1

金融カードタイプ

BBIE

FinancialCard

TypeCode

Code

金融カードのタイプ

UN01004496

BBIE

3330

IID152

金融カードタイプ

金融カードのタイプ

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCITradeSettlementPaymentMeans/ram:ApplicableTradeSettlementFinancialCard/ram:TypeCode

3740

鑑ヘッダ

NC33-03

NC33

03

3

1..1

金融カード名義人名

BBIE

FinancialCard

CardholderName

Text

支払人の金融カード名義人名

UN01004497

BBIE

3340

IID153

金融カード名義人名

支払人の金融カード名義人名

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCITradeSettlementPaymentMeans/ram:ApplicableTradeSettlementFinancialCard/ram:CardholderName

2320

IBT-088

0..1

3

Payment card holder name

カード名義人氏名

The name of the payment card holder.

支払カード所有者の氏名。

/Invoice/cac:PaymentMeans/cac:CardAccount/cbc:HolderName

3750

鑑ヘッダ

NC33-04

NC33

04

3

0..1

金融カード発行企業名

BBIE

FinancialCard

IssuingCompanyName

Text

金融カードの発行企業名

UN01009966

BBIE

3350

IID154

金融カード発行企業名

金融カードの発行企業名

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCITradeSettlementPaymentMeans/ram:ApplicableTradeSettlementFinancialCard/ram:IssuingCompanyName

3760

鑑ヘッダ

NC00-NC34

NC00

NC34

1

0..n

鑑ヘッダ税

ASBIE

Invoice

Applicable

__

TradeTax

ヘッダの税に関する情報からなるクラス

UN01005924

ASBIE

3360

ICL36

インボイス文書決済/鑑ヘッダ税グループ

インボイス文書の鏡ヘッダの税に関するグループ

0..n

4

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:ApplicableCITradeTax

3770

鑑ヘッダ

NC34-01

NC34

01

2

0..1

鑑ヘッダ課税分類税額

BBIE

TradeTax

CalculatedAmount

Amount

①文書タイプコード=単一文書の場合\n 課税分類毎に計算した税額=ヘッダ課税分類譲渡資産合計金額(税抜き)×ヘッダ税率\n算出した税額は切り上げ、切り捨て、四捨五入のいずれかで処理し、税額は整数とする\n②文書タイプコード=統合文書の場合\n 消費税額計算はヘッダ税クラスでは行わない。

UN01005833

BBIE

3370

IID155

鑑ヘッダ課税分類税額

①文書タイプコード=単一文書の場合\n 課税分類毎に計算した税額=ヘッダ課税分類譲渡資産合計金額(税抜き)×ヘッダ税率\n算出した税額は切り上げ、切り捨て、四捨五入のいずれかで処理し、税額は整数とする\n②文書タイプコード=統合文書の場合\n 消費税額計算はヘッダ税クラスでは行わない。

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:ApplicableCITradeTax/ram:CalculatedAmount

3780

鑑ヘッダ

NC34-02

NC34

02

2

0..1

鑑ヘッダ課税コード

BBIE

TradeTax

TypeCode

Code

消費税の課税分類(標準税率、軽減税率、非課税、免税等)を識別するコード

UN01005841

BBIE

3375

IID156

鑑ヘッダ課税コード

消費税の課税分類(標準税率、軽減税率、非課税、免税等)を識別するコード

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:ApplicableCITradeTax/ram:TypeCode

3780

鑑ヘッダ

NC34-02

NC34

02

2

0..1

鑑ヘッダ課税分類コード

BBIE

TradeTax

CategoryCode

Code

消費税の課税分類(標準税率、軽減税率、非課税、免税等)を識別するコード

UN01005841

BBIE

3380

IID156

鑑ヘッダ課税分類コード

消費税の課税分類(標準税率、軽減税率、非課税、免税等)を識別するコード

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:ApplicableCITradeTax/ram:CategoryCode

3790

鑑ヘッダ

NC34-03

NC34

03

2

0..1

鑑ヘッダ課税分類名

BBIE

TradeTax

CategoryName

Text

消費税の課税分類(標準税率、軽減税率、非課税、免税等)の名称

UN01005850

BBIE

3390

IID157

鑑ヘッダ課税分類名

消費税の課税分類(標準税率、軽減税率、非課税、免税等)の名称

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:ApplicableCITradeTax/ram:CategoryName

3800

鑑ヘッダ

NC34-04

NC34

04

2

0..1

課税基準日

BBIE

TradeTax

TaxPointDate

Date

売り手、買い手が税を記帳する日付

UN01005847

BBIE

3385

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:ApplicableCITradeTax/ram:TaxPointDate

1100

IBT-007

0..1

1

TAX point date

課税基準日

The date when the TAX becomes accountable for the Seller and for the Buyer in so far as that date can be determined and differs from the date of issue of the invoice according to the TAX directive.

税が売り手と買い手に有効になる日付は、その日付が決定できる限りであり、税法による請求書の発行日とは異なる。

/Invoice/cbc:TaxPointDate

3810

鑑ヘッダ

NC34-05

NC34

05

2

0..1

課税基準日コード

BBIE

TradeTax

DueDateTypeCode

Code

売り手、買い手が税を記帳する日付が何であるかを示すコード。

UN01006052

BBIE

3394

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:ApplicableCITradeTax/ram:DueDateTypeCode

1180

IBT-008

0..1

1

TAX point date code

課税基準日コード

The code of the date when the TAX becomes accountable for the Seller and for the Buyer.

売り手、買い手が税を記帳する日付が何であるかを示すコード。

/Invoice/cac:InvoicePeriod/cbc:DescriptionCode

3820

鑑ヘッダ

NC34-06

NC34

06

2

0..1

鑑ヘッダ税率

BBIE

TradeTax

RateApplicablePercent

Percentage

課税分類毎の税額計算のための率。\n

UN01007174

BBIE

3400

IID158

鑑ヘッダ税率

課税分類毎の税額計算のための率。\n

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:ApplicableCITradeTax/ram:RateApplicablePercent

3830

鑑ヘッダ

NC34-07

NC34

07

2

0..1

鑑ヘッダ税計算方式

BBIE

TradeTax

CalculationMethodCode

Code

金額の税込み、税抜きを指定。\nデフォルトは「税抜き」

UN01013096

BBIE

3410

IID159

鑑ヘッダ税計算方式

金額の税込み、税抜きを指定。\nデフォルトは「税抜き」

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:ApplicableCITradeTax/ram:CalculationMethodCode

3840

鑑ヘッダ

NC34-08

NC34

08

2

0..1

鑑ヘッダ適用税制識別子

BBIE

TradeTax

LocalTaxSystemID

Code

取引の税制年度を識別するID\nデフォルトは「2019」(2019年度税制)

UN01014650

BBIE

3420

IID160

鑑ヘッダ適用税制識別子

取引の税制年度を識別するID\nデフォルトは「2019」(2019年度税制)

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:ApplicableCITradeTax/ram:LocalTaxSystemID

3850

鑑ヘッダ

NC00-NC35

NC00

NC35

1

0..1

支払条件

ASBIE

Invoice

Specified

__

PaymentTerms

取引決済の目的で支払が行われる、あるいは行われた条件のクラス

UN01005929

ASBIE

3460

ICL38

インボイス文書決済/支払条件グループ

インボイス文書の支払条件に関するグループ

0..1

4

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCITradePaymentTerms

2370

IBG-33

0..n

1

INVOICE TERMS

支払条件

Information about the terms that apply to the settlement of the invoice amount.

請求金額の決済に適用される条件に関する情報。

/Invoice/cac:PaymentTerms

3860

鑑ヘッダ

NC35-01

NC35

01

2

0..1

支払条件識別子

BBIE

PaymentTerms

ID

Code

支払条件の識別子

UN01005780

BBIE

3470

IID163

支払条件識別子

支払条件の識別子

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCITradePaymentTerms/ram:ID

2380

IBT-187

0..1

2

Terms payment instructions ID

支払条件指示ID

The payment instructions that apply to these payment terms.

これらの支払条件を適用する支払指示。

/Invoice/cac:PaymentTerms/cbc:PaymentMeansID

3870

鑑ヘッダ

NC35-02

NC35

02

2

0..1

支払条件説明

BBIE

PaymentTerms

Description

Text

支払条件の文字による説明

UN01005783

BBIE

3480

IID164

支払条件説明

支払条件の文字による説明

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCITradePaymentTerms/ram:Description

2390

IBT-020

0..1

2

Payment terms

支払条件

A textual description of the payment terms that apply to the amount due for payment (Including description of possible penalties).

支払額に適用される支払条件の説明(罰則の記載を含む)。支払条件の文字による説明。

/Invoice/cac:PaymentTerms/cbc:Note

3880

鑑ヘッダ

NC35-03

NC35

03

2

0..1

支払期日

BBIE

PaymentTerms

DueDateDateTime

Date

支払条件で示された支払期日。

UN01005784

BBIE

3490

IID165

支払期日

支払条件で示された支払期日

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCITradePaymentTerms/ram:DueDateDateTime/udt:DateTimeString

1060

IBT-009

0..1

1

Payment due date

支払期日

The date when the payment is due.

支払条件で示された支払期日。

/Invoice/cbc:DueDate

3890

鑑ヘッダ

2410

IBT-177

0..1

2

Terms installment due date

分割支払支払期日

The date before end of which the terms amount shall be settled.

分割支払の場合の各支払期日。

/Invoice/cac:PaymentTerms/cbc:InstallmentDueDate

3900

鑑ヘッダ

NC35-04

NC35

04

2

0..1

支払条件タイプコード

BBIE

PaymentTerms

TypeCode

Code

取引決済条件のタイプを識別するコード

UN01008502

BBIE

3500

IID166

支払条件タイプコード

取引決済条件のタイプを識別するコード

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCITradePaymentTerms/ram:TypeCode

3910

鑑ヘッダ

NC35-05

NC35

05

2

0..1

支払条件金額

BBIE

PaymentTerms

InstructedAmount

Amount

支払条件の金額

JPS2300010

BBIE

3510

IID167

支払条件金額

支払条件の金額

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCITradePaymentTerms/ram:InstructedAmount

2400

IBT-176

0..1

2

Terms amount

支払条件金額

The payment amount that these terms apply to.

これらの条件が適用される支払金額。

/Invoice/cac:PaymentTerms/cbc:Amount

3920

鑑ヘッダ

NC00-NC36

NC00

NC36

1

0..1

鑑ヘッダ合計金額

ASBIE

Invoice

Specified

__

MonetarySummation

インボイス文書合計金額に関する情報からなるクラス

UN01005930

ASBIE

3520

ICL39

インボイス文書決済/インボイス文書合計金額グループ

インボイス文書の合計金額に関するグループ

0..1

4

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCIIHTradeSettlementMonetarySummation

3930

鑑ヘッダ

NC36-01

NC36

01

2

1..1

鑑ヘッダ総合計金額税抜き

BBIE

MonetarySummation

TaxBasisTotalAmount

Amount

インボイス文書の総合計金額(税抜き)\n=ヘッダ譲渡資産合計金額(税抜き)ーヘッダ返金合計金額+ヘッダ追加請求合計金額

UN01005945

BBIE

3530

IID168

インボイス文書総合計金額(税抜き)

インボイス文書の総合計金額(税抜き)\n=ヘッダ譲渡資産合計金額(税抜き)ーヘッダ返金合計金額+ヘッダ追加請求合計金額

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCIIHTradeSettlementMonetarySummation/ram:TaxBasisTotalAmount

3940

鑑ヘッダ

NC36-02

NC36

02

2

1..1

鑑ヘッダ総合計税額

BBIE

MonetarySummation

TaxTotalAmount

Amount

ヘッダ課税分類税額の総合計税額

UN01005946

BBIE

3540

IID169

鑑ヘッダ総合計税額

ヘッダ課税分類税額の総合計税額

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCIIHTradeSettlementMonetarySummation/ram:TaxTotalAmount

3950

鑑ヘッダ

NC36-03

NC36

03

2

1..1

鑑ヘッダ総合計金額税込み

BBIE

MonetarySummation

GrandTotalAmount

Amount

インボイス文書の総合計金額(税込み)=\nインボイス文書総合計金額(税抜き)+ヘッダ総合計税額\n+未決済総合計金額

UN01005948

BBIE

3550

IID170

インボイス文書総合計金額(税込み)

インボイス文書の総合計金額(税込み)=\nインボイス文書総合計金額(税抜き)+ヘッダ総合計税額\n+未決済総合計金額

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCIIHTradeSettlementMonetarySummation/ram:GrandTotalAmount

3960

鑑ヘッダ

NC36-04

NC36

04

2

0..1

前払金額

BBIE

MonetarySummation

TotalPrepaidAmount

Amount

インボイス文書総合計金額のうち、すでに前払いで支払済合計金額\n前払いユースケースでは必須

UN01005950

BBIE

3560

IID171

前払金額

インボイス文書総合計金額のうち、すでに前払いで支払済合計金額\n前払いユースケースでは必須

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCIIHTradeSettlementMonetarySummation/ram:TotalPrepaidAmount

2890

IBT-113

0..1

2

Paid amount

支払済金額

The sum of amounts which have been paid in advance.

事前に支払われた金額の合計。

/Invoice/cac:LegalMonetaryTotal/cbc:PrepaidAmount

3970

鑑ヘッダ

NC36-05

NC36

05

2

1..1

支払責務金額総合計

BBIE

MonetarySummation

DuePayableAmount

Amount

前払いユースケースの支払責務金額=\n

UN01008445

BBIE

3570

IID172

支払責務金額総合計

前払いユースケースの支払責務金額=\n

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCIIHTradeSettlementMonetarySummation/ram:DuePayableAmount

3980

鑑ヘッダ

NC36-06

NC36

06

2

1..1

鑑ヘッダ譲渡資産合計金額税抜き

BBIE

MonetarySummation

NetLineTotalAmount

Amount

ヘッダ譲渡資産金額総合計金額(税抜き)=∑ヘッダ課税分類譲渡資産合計金額(税抜き)

UN01008451

BBIE

3580

IID173

鑑ヘッダ譲渡資産合計金額(税抜き)

ヘッダ譲渡資産金額総合計金額(税抜き)=∑ヘッダ課税分類譲渡資産合計金額(税抜き)

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCIIHTradeSettlementMonetarySummation/ram:NetLineTotalAmount

3990

鑑ヘッダ

NC36-07

NC36

07

2

0..1

鑑ヘッダ譲渡資産合計金額税込み

BBIE

MonetarySummation

IncludingTaxesLineTotalAmount

Amount

ヘッダ譲渡資産金額総合計金額(税込み)=∑ヘッダ課税分類譲渡資産合計金額(税込み)

UN01013091

BBIE

3590

IID174

鑑ヘッダ譲渡資産合計金額(税込み)

ヘッダ譲渡資産金額総合計金額(税込み)=∑ヘッダ課税分類譲渡資産合計金額(税込み)

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCIIHTradeSettlementMonetarySummation/ram:IncludingTaxesLineTotalAmount

4000

鑑ヘッダ

NC00-NC37

NC00

NC37

1

0..n

鑑ヘッダ調整

ASBIE

Invoice

Specified

__

FinancialAdjustment

ヘッダ調整に関する情報からなるクラス

UN01005931

ASBIE

3600

ICL40

インボイス文書決済/鑑ヘッダ調整グループ

インボイス文書の鑑ヘッダ調整に関するグループ

0..n

4

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCIFinancialAdjustment

4010

鑑ヘッダ

NC37-01

NC37

01

2

0..1

鑑ヘッダ調整理由コード

BBIE

FinancialAdjustment

ReasonCode

Code

ヘッダ調整金額の内容を識別するコード

UN01005488

BBIE

3610

IID175

鑑ヘッダ調整理由コード

ヘッダ調整金額の内容を識別するコード

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCIFinancialAdjustment/ram:ReasonCode

4020

鑑ヘッダ

NC37-02

NC37

02

2

0..1

鑑ヘッダ調整理由

BBIE

FinancialAdjustment

Reason

Text

ヘッダ調整の内容説明

UN01005489

BBIE

3620

IID176

鑑ヘッダ調整理由

ヘッダ調整の内容説明

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCIFinancialAdjustment/ram:Reason

4030

鑑ヘッダ

NC37-03

NC37

03

2

1..1

鑑ヘッダ調整金額

BBIE

FinancialAdjustment

ActualAmount

Amount

ヘッダ調整金額\n’=(修正インボイス金額ー誤りインボイス金額)\n調整ユースケースでは必須

UN01005490

BBIE

3630

IID177

鑑ヘッダ調整金額

ヘッダ調整金額\n’=(修正インボイス金額ー誤りインボイス金額)\n調整ユースケースでは必須

1..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCIFinancialAdjustment/ram:ActualAmount

4040

鑑ヘッダ

NC37-04

NC37

04

2

1..1

鑑ヘッダ調整取引方向コード

BBIE

FinancialAdjustment

DirectionCode

Code

ヘッダ調整額、ヘッダ調整税額の+ーを識別するコード\n調整ユースケースでは必須

UN01014649

BBIE

3640

IID178

鑑ヘッダ調整取引方向コード

ヘッダ調整額、ヘッダ調整税額の+ーを識別するコード\n調整ユースケースでは必須

1..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCIFinancialAdjustment/ram:DirectionCode

4050

鑑ヘッダ

NC00-NC38

NC00

NC38

1

0..n

鑑ヘッダ調整税

ASBIE

Invoice

Related

__

FinancialAdjustment_TradeTax

ヘッダ調整の税クラス

UN01014897

ASBIE

3720

ICL42

文書調整/鑑ヘッダ調整税グループ

インボイス文書調整の鑑ヘッダ調整税クラスに関するグループ

0..n

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCIFinancialAdjustment/ram:RelatedCITradeTax

4060

鑑ヘッダ

NC38-01

NC38

01

2

1..1

鑑ヘッダ調整税額

BBIE

FinancialAdjustment_TradeTax

CalculatedAmount

Amount

ヘッダの調整税額\n=修正インボイス税額ー誤りインボイス税額

UN01005833

BBIE

3730

IID185

鑑ヘッダ調整税額

ヘッダの調整税額\n=修正インボイス税額ー誤りインボイス税額

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCIFinancialAdjustment/ram:RelatedCITradeTax/ram:CalculatedAmount

4070

鑑ヘッダ

NC38-02

NC38

02

2

1..1

鑑ヘッダ調整税率

BBIE

FinancialAdjustment_TradeTax

CalculatedRate

Percentage

ヘッダ調整の税率

UN01005836

BBIE

3750

IID186

鑑ヘッダ調整税率

ヘッダ調整の税率

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCIFinancialAdjustment/ram:RelatedCITradeTax/ram:RateApplicablePercent

4080

鑑ヘッダ

NC38-03

NC38

03

2

1..1

鑑ヘッダ調整課税分類コード

BBIE

FinancialAdjustment_TradeTax

CategoryCode

Code

ヘッダ調整の課税分類コード

UN01005841

BBIE

3740

IID187

鑑ヘッダ調整課税分類コード

ヘッダ調整の課税分類コード

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:SpecifiedCIFinancialAdjustment/ram:RelatedCITradeTax/ram:CategoryCode

4090

文書ヘッダ

NC00-NC39

NC00

NC39

1

1..n

明細文書

ASBIE

Invoice

Included

__

InvoiceDocument

統合請求(区分3請求)で複数の文書を統合する場合に、統合する複数の文書を明細文書行として識別するグループ。\n\n単一請求(区分」請求、区分2請求)の場合はこのグループは明細文書番号=1のみを利用する

UN01005940

ASBIE

3760

統合文書取引/明細文書行グループ

統合請求(区分3請求)で複数の文書を統合する場合に、統合する複数の文書を明細文書行として識別するグループ。\n\n単一請求(区分」請求、区分2請求)の場合はこのグループは明細文書番号=1のみを利用する

1..n

3

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem

1001

0..0

/Invoice

4100

文書ヘッダ

統合文書の明細文書行を構成する明細文書に関するグループ。

UN01005989

ASBIE

3770

ICL46

明細文書行/明細文書グループ

統合文書の明細文書行を構成する明細文書に関するグループ。

1..1

4

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:AssociatedCIILDocumentLineDocument

4110

文書ヘッダ

NC39-01

NC39

01

2

1..1

文書ヘッダ番号

BBIE

InvoiceDocument

DocumentID

Code

この統合文書に統合する複数の明細文書を特定し、識別するために付与した番号。\nデフォルトは「1」\n単一文書(区分1請求、区分2請求)の場合は非公開とし、EDIプロバイダが「1」をセットする。

UN01005954

BBIE

3780

IID205

明細文書番号

この統合文書に統合する複数の明細文書を特定し、識別するために付与した番号。\nデフォルトは「1」\n単一文書(区分1請求、区分2請求)の場合は非公開とし、EDIプロバイダが「1」をセットする。

1

1..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:AssociatedCIILDocumentLineDocument/ram:LineID

4120

文書ヘッダ

NC39-02

NC39

02

2

1..1

文書ヘッダ類型コード

BBIE

InvoiceDocument

DocumentCategoryCode

Code

この明細文書の取引類型(資産譲渡、補完、返金・追加請求、相殺、調整、参照等)を識別するコード。\nデフォルトは資産譲渡

UN01014645

BBIE

3790

IID206

明細文書類型コード

この明細文書の取引類型(資産譲渡、補完、返金・追加請求、相殺、調整、参照等)を識別するコード。\nデフォルトは資産譲渡

?

1..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:AssociatedCIILDocumentLineDocument/ram:CategoryCode

4130

文書ヘッダ

この統合文書が統合する明細文書に関するグループ。\n文書タイプが「統合文書」を指定する場合にこのグループは必須。「単一請求」の場合はこのクラスは実装しない。

UN01014895

ASBIE

3840

ICL48

明細文書/統合文書ヘッダグループ

この統合文書が統合する明細文書に関するグループ。\n文書タイプが「統合文書」を指定する場合にこのグループは必須。「単一請求」の場合はこのクラスは実装しない。

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:AssociatedCIILDocumentLineDocument/ram:ReferenceCIReferencedDocument

4140

文書ヘッダ

NC39-03

NC39

03

2

1..1

統合文書ヘッダ番号

BBIE

InvoiceDocument

IssuerAssignedID

Document Reference

この統合文書が統合する明細文書の文書番号

UN01005580

BBIE

3850

IID210

統合明細文書番号

この統合文書が統合する明細文書の文書番号

?

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:AssociatedCIILDocumentLineDocument/ram:ReferenceCIReferencedDocument/ram:IssuerAssignedID

4150

文書ヘッダ

NC39-04

NC39

04

2

0..1

統合文書ヘッダ発行日

BBIE

InvoiceDocument

IssueDateTime

Date

この統合文書が統合する明細文書の発行日

UN01005582

BBIE

3860

IID211

統合明細文書発行日

この統合文書が統合する明細文書の発行日

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:AssociatedCIILDocumentLineDocument/ram:ReferenceCIReferencedDocument/ram:IssueDateTime

4160

文書ヘッダ

NC39-05

NC39

05

2

0..1

統合文書ヘッダ履歴番号

BBIE

InvoiceDocument

RevisionID

Code

この統合文書が統合する明細文書の変更履歴を管理する番号。

UN01005588

BBIE

3870

IID212

統合明細文書履歴番号

この統合文書が統合する明細文書の変更履歴を管理する番号。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:AssociatedCIILDocumentLineDocument/ram:ReferenceCIReferencedDocument/ram:RevisionID

4170

文書ヘッダ

NC39-06

NC39

06

2

0..1

統合文書ヘッダタイプコード

BBIE

InvoiceDocument

TypeCode

Code

この統合文書が統合する明細文書の文書タイプを識別するコード

UN01009672

BBIE

3880

IID213

統合明細文書タイプコード

この統合文書が統合する明細文書の文書タイプを識別するコード

?

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:AssociatedCIILDocumentLineDocument/ram:ReferenceCIReferencedDocument/ram:TypeCode

4180

文書ヘッダ

NC39-07

NC39

07

2

0..1

統合文書ヘッダサブタイプコード

BBIE

InvoiceDocument

SubtypeCode

Code

この統合文書が統合する明細文書の文書サブタイプを識別するコード

UN01014899

BBIE

3890

IID214

統合明細文書サブタイプコード

この統合文書が統合する明細文書の文書サブタイプを識別するコード

?

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:AssociatedCIILDocumentLineDocument/ram:ReferenceCIReferencedDocument/ram:SubtypeCode

4190

文書ヘッダ

NC39-NC40

NC39

NC40

2

0..1

文書ヘッダ購買会計アカウント

ASBIE

InvoiceDocument

PurchaseSpecified

__

AccountingAccount

この文書ヘッダの購買会計アカウントに関するグループ

UN01006080

ASBIE

5122

ICL72

文書ヘッダ決済/購買会計アカウントグループ

この文書ヘッダの購買会計アカウントに関するグループ

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:PurchaseSpecifiedCITradeAccountingAccount

4200

文書ヘッダ

NC40-01

NC40

01

3

1..1

購買会計アカウントタイプコード

BBIE

AccountingAccount

TypeCode

Code

売り手が付与する買い手の購買会計アカウント

UN01005683

BBIE

5124

IID311

購買会計アカウントタイプコード

売り手が付与する買い手の購買会計アカウント

?

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:PurchaseSpecifiedCITradeAccountingAccount/ram:TypeCode

4210

文書ヘッダ

NC40-02

NC40

02

3

0..1

購買会計アカウント名

BBIE

AccountingAccount

Name

Code

買い手の購買会計アカウント名

UN01005685

BBIE

4780

IID312

購買会計アカウント名

買い手の購買会計アカウント名

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:PurchaseSpecifiedCITradeAccountingAccount/ram:Name

1130

IBT-019

0..1

1

Buyer accounting reference

買い手会計参照

A textual value that specifies where to book the relevant data into the Buyer’s financial accounts.

買い手の財務勘定科目に関連データを記帳する場所を指定する。買い手のどの勘定に関連データを記帳すべきかを指定するためのテキスト値。

/Invoice/cbc:AccountingCost

4220

文書ヘッダ

NC39-NC41

NC39

NC41

2

0..n

文書ヘッダ注釈

ASBIE

InvoiceDocument

Included

__

Document_Note

文書ヘッダの注釈に関するグループ

UN01005957

ASBIE

3800

ICL47

文書ヘッダ/注釈グループ

文書ヘッダの注釈に関するグループ

0..n

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:AssociatedCIILDocumentLineDocument/ram:IncludedCINote

4230

文書ヘッダ

NC41-01

NC41

01

3

0..1

文書ヘッダ注釈表題

BBIE

Document_Note

Subject

Text

文書ヘッダの注釈内容の表題を示す。

UN01005558

BBIE

3810

IID207

文書ヘッダ注釈表題

文書ヘッダの注釈内容の表題を示す。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:AssociatedCIILDocumentLineDocument/ram:IncludedCINote/ram:Subject

4240

文書ヘッダ

NC41-02

NC41

02

3

0..1

文書ヘッダ注釈内容

BBIE

Document_Note

Content

Text

文書ヘッダの注釈表題毎の内容情報を入力するフリースペース。

UN01005560

BBIE

3820

IID208

文書ヘッダ注釈内容

文書ヘッダの注釈表題毎の内容情報を入力するフリースペース。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:AssociatedCIILDocumentLineDocument/ram:IncludedCINote/ram:Content

4250

文書ヘッダ

NC41-03

NC41

03

3

0..1

文書ヘッダ注釈識別子

BBIE

Document_Note

ID

Code

文書ヘッダ注釈の識別番号

UN01005562

BBIE

3830

IID209

文書ヘッダ注釈識別子

文書ヘッダ注釈の識別番号

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:AssociatedCIILDocumentLineDocument/ram:IncludedCINote/ram:ID

4260

文書ヘッダ

NC39-08

NC39

08

2

0..1

入札又はロット参照

BBIE

InvoiceDocument

OriginatorDocumentReferenceID

Document Reference

参照する入札またはロットの番号。

1280

IBT-017

0..1

1

Tender or lot reference

入札又はロット参照

The identification of the call for tender or lot the invoice relates to.

参照する入札またはロットの番号。

/Invoice/cac:OriginatorDocumentReference/cbc:ID

4270

文書ヘッダ

NC39-09

NC39

09

2

0..1

受取通知書参照

BBIE

InvoiceDocument

ReceiptDocumentReference

Document Reference

参照する受取通知書に買い手が付番した番号。

1270

IBT-015

0..1

1

Receiving advice reference

受取通知書参照

An identifier of a referenced receiving advice.

参照する受取通知書に買い手が付番した番号。

/Invoice/cac:ReceiptDocumentReference/cbc:ID

4280

文書ヘッダ

UN01005990

ASBIE

3900

文書ヘッダ/契約グループ

文書ヘッダの契約に関するグループ。

0..1

4

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeAgreement

4290

文書ヘッダ

NC39-NC42

NC39

NC42

2

0..1

文書ヘッダ参照受注書

ASBIE

InvoiceDocument

SellerOrderReferenced

__

SellerOrder_ReferencedDocument

文書ヘッダが参照する受注書に関するグループ。

UN01005960

ASBIE

3910

ICL49

文書ヘッダ契約/参照受注書グループ

文書ヘッダが参照する受注書に関するグループ。

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeAgreement/ram:SellerOrderReferencedCIReferencedDocument

1190

0..1

/Invoice/cac:OrderReference

4300

文書ヘッダ

NC42-01

NC42

01

3

1..1

文書ヘッダ参照受注書番号

BBIE

SellerOrder_ReferencedDocument

IssuerAssignedID

Document Reference

この文書ヘッダが参照する受注書に記載の文書番号

UN01005580

BBIE

3920

IID215

(文書ヘッダ参照)受注書番号

この文書ヘッダが参照する受注書に記載の文書番号

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeAgreement/ram:SellerOrderReferencedCIReferencedDocument/ram:IssuerAssignedID

1200

IBT-013

0..1

1

Purchase order reference

購買発注参照

An identifier of a referenced purchase order issued by the Buyer.

買い手が発行した購買発注を参照する場合の当該購買発注に記載の文書番号。

/Invoice/cac:OrderReference/cbc:ID

4310

文書ヘッダ

NC42-02

NC42

02

3

0..1

文書ヘッダ参照受注書履歴番号

BBIE

SellerOrder_ReferencedDocument

RevisionID

Code

この文書ヘッダが参照する受注書の変更履歴を管理する番号。

UN01005588

BBIE

3930

IID216

(文書ヘッダ参照)受注書履歴番号

この文書ヘッダが参照する受注書の変更履歴を管理する番号。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeAgreement/ram:SellerOrderReferencedCIReferencedDocument/ram:RevisionID

4320

文書ヘッダ

NC39-NC43

NC39

NC43

2

0..1

文書ヘッダ参照注文書

ASBIE

InvoiceDocument

BuyerOrderReferenced

__

BuyerOrder_ReferencedDocument

文書ヘッダが参照する注文書に関するグループ。

UN01005961

ASBIE

3940

ICL50

文書ヘッダ契約/参照注文書グループ

文書ヘッダが参照する注文書に関するグループ。

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeAgreement/ram:BuyerOrderReferencedCIReferencedDocument

4330

文書ヘッダ

NC43-01

NC43

01

3

1..1

文書ヘッダ参照注文書番号

BBIE

BuyerOrder_ReferencedDocument

IssuerAssignedID

Document Reference

この文書ヘッダが参照する注文書に記載の文書番号。注文履歴番号(枝番)を利用している場合は「注文番号+注文履歴番号」に変換する

UN01005580

BBIE

3950

IID217

(文書ヘッダ参照)注文書番号

この文書ヘッダが参照する注文書に記載の文書番号。注文履歴番号(枝番)を利用している場合は「注文番号+注文履歴番号」に変換する

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeAgreement/ram:BuyerOrderReferencedCIReferencedDocument/ram:IssuerAssignedID

1210

IBT-014

0..1

1

Sales order reference

受注参照

An identifier of a referenced sales order issued by the Seller.

売り手が発行した受注を参照する場合の当該受注に記載の文書番号。

/Invoice/cac:OrderReference/cbc:SalesOrderID

4340

文書ヘッダ

NC43-02

NC43

02

3

0..1

文書ヘッダ参照注文書履歴番号

BBIE

BuyerOrder_ReferencedDocument

RevisionID

Code

この文書ヘッダが参照する注文書の変更履歴を管理する番号。

UN01005588

BBIE

3960

IID218

(文書ヘッダ参照)注文書履歴番号

この文書ヘッダが参照する注文書の変更履歴を管理する番号。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeAgreement/ram:BuyerOrderReferencedCIReferencedDocument/ram:RevisionID

4350

文書ヘッダ

NC39-NC44

NC39

NC44

2

0..1

文書ヘッダ参照契約書

ASBIE

InvoiceDocument

ContractReferenced

__

Contract_ReferencedDocument

文書ヘッダが参照する契約書に関するグループ。

UN01005963

ASBIE

3970

ICL51

文書ヘッダ契約/参照契約書グループ

文書ヘッダが参照する契約書に関するグループ。

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeAgreement/ram:ContractReferencedCIReferencedDocument

1290

/Invoice/cac:ContractDocumentReference

4360

文書ヘッダ

NC44-01

NC44

01

3

1..1

文書ヘッダ参照契約文書番号

BBIE

Contract_ReferencedDocument

IssuerAssignedID

Document Reference

この文書ヘッダが参照する契約書に記載の文書番号

UN01005580

BBIE

3980

IID219

(文書ヘッダ参照)契約文書番号

この文書ヘッダが参照する契約書に記載の文書番号

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeAgreement/ram:ContractReferencedCIReferencedDocument/ram:IssuerAssignedID

1300

IBT-012

0..1

1

Contract reference

契約書参照

The identification of a contract.

参照する契約書に記載された文書番号。

/Invoice/cac:ContractDocumentReference/cbc:ID

4370

文書ヘッダ

NC44-02

NC44

02

3

0..1

文書ヘッダ参照契約書履歴番号

BBIE

Contract_ReferencedDocument

RevisionID

Code

この文書が参照する契約書の変更履歴を管理する番号。

UN01005588

BBIE

3990

IID220

(文書ヘッダ参照)契約書履歴番号

この文書が参照する契約書の変更履歴を管理する番号。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeAgreement/ram:ContractReferencedCIReferencedDocument/ram:RevisionID

4380

文書ヘッダ

UN01005992

ASBIE

4190

文書ヘッダ/決済グループ

文書ヘッダの決済に関するグループ。\n文書タイプが「統合文書」を指定する場合にこのグループは任意。「単一文書」を指定する場合はこのグループは実装しない

0..1

4

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement

4390

文書ヘッダ

NC39-NC45

NC39

NC45

2

0..1

請求するオブジェクト

ASBIE

InvoiceDocument

InvoiceReferenced

__

Object_ReferencedDocument

4880

0..n

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:InvoiceReferencedCIReferencedDocument

1310

0..1

/Invoice/cac:AdditionalDocumentReference[cbc:DocumentTypeCode=’130′]

4400

文書ヘッダ

NC45-01

NC45

01

3

0..1

請求するオブジェクトID

BBIE

Object_ReferencedDocument

ObjectID

Document Reference

請求書の根拠となるIDで、売り手が指定。請求書の根拠となるオブジェクトのIDで、売り手が指定したもの。

4890

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:InvoiceReferencedCIReferencedDocument/ram:IssuerAssignedID

1320

IBT-018

0..1

1

Invoiced object identifier

請求するオブジェクトID

An identifier for an object on which the invoice is based given by the Seller.

請求書の根拠となるIDで、売り手が指定。請求書の根拠となるオブジェクトのIDで、売り手が指定したもの。

/Invoice/cac:AdditionalDocumentReference[cbc:DocumentTypeCode=’130′]/cbc:ID

4410

文書ヘッダ

NC45-02

NC45

02

3

0..1

請求するオブジェクトIDスキーマID

BBIE

Object_ReferencedDocument

ObjectIDSchemeID

Code

1340

IBT-018-1

0..1

1

The identification scheme identifier of the Invoiced object identifier.

請求するオブジェクトIDのスキーマID

If it may be not clear for the receiver what scheme is used for the identifier a conditional scheme identifier should be used that shall be chosen from the UNTDID 1153 code list [6] entries.

受信者にとって、IDにどのスキーマが使用されているかが明確でない場合は、UNTDID1153コードリストから選択される条件付きスキーマIDを使用する必要がある。

/Invoice/cac:AdditionalDocumentReference[cbc:DocumentTypeCode=’130′]/cbc:ID/@schemeID

4420

文書ヘッダ

NC45-03

NC45

03

3

1..1

文書タイプコード

BBIE

Object_ReferencedDocument

ReferenceTypeCode

Code

受信者にとって、IDにどのスキーマが使用されているかが明確でない場合は、UNTDID1153コードリストから選択される条件付きスキーマIDを使用する必要がある。

4900

APH

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:InvoiceReferencedCIReferencedDocument/ram:ReferenceTypeCode

1330

1..1

1

130

/Invoice/cac:AdditionalDocumentReference/cbc:DocumentTypeCode

4430

文書ヘッダ

NC39-NC46

NC39

NC46

2

0..n

文書ヘッダ参照文書

ASBIE

InvoiceDocument

InvoiceReferenced

__

Document_ReferencedDocument

インボイス文書ヘッダの参照インボイス文書に関するグループ

UN01006004

ASBIE

4910

ICL69

文書ヘッダ決済/参照インボイス文書グループ

インボイス文書ヘッダの参照インボイス文書に関するグループ

0..n

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:InvoiceReferencedCIReferencedDocument

1350

IBG-24

0..n

1

ADDITIONAL SUPPORTING DOCUMENTS

添付書類

A group of business terms providing information about additional supporting documents substantiating the claims made in the Invoice.

請求書内で行われたクレームを実証する添付書類についての情報を提供するビジネス用語のグループ。

/Invoice/cac:AdditionalDocumentReference[not(cbc:DocumentTypeCode=’130′)]

4440

文書ヘッダ

NC46-01

NC46

01

3

1..1

文書ヘッダ参照文書番号

BBIE

Document_ReferencedDocument

IssuerAssignedID

Document Reference

この文書ヘッダが参照するインボイス文書に記載の文書番号

UN01005580

BBIE

4920

IID289

文書ヘッダ参照インボイス文書番号

この文書ヘッダが参照するインボイス文書に記載の文書番号

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:InvoiceReferencedCIReferencedDocument/ram:IssuerAssignedID

1360

IBT-122

1..1

2

Supporting document reference

添付書類への参照

An identifier of the supporting document.

添付書類のID。

/Invoice/cac:AdditionalDocumentReference[not(cbc:DocumentTypeCode=’130′)]/cbc:ID

4450

文書ヘッダ

NC46-02

NC46

02

3

0..1

文書ヘッダ参照文書発行日

BBIE

Document_ReferencedDocument

IssueDateTime

Date

この文書ヘッダが参照するインボイス文書に記載の発行日付

UN01005582

BBIE

4930

IID290

文書ヘッダ参照インボイス文書発行日

この文書ヘッダが参照するインボイス文書に記載の発行日付

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:InvoiceReferencedCIReferencedDocument/ram:IssueDateTime/udt:DateTimeString

4460

文書ヘッダ

NC46-03

NC46

03

3

0..1

文書ヘッダ参照文書参照タイプコード

BBIE

Document_ReferencedDocument

ReferenceTypeCode

Code

この文書ヘッダが参照するインボイス文書を識別するコード。\n属性=「OI」Previous invoice number

UN01005586

BBIE

4940

IID291

文書ヘッダ参照インボイス文書参照タイプコード

この文書ヘッダが参照するインボイス文書を識別するコード。\n属性=「OI」Previous invoice number

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:InvoiceReferencedCIReferencedDocument/ram:ReferenceTypeCode

4470

文書ヘッダ

NC46-04

NC46

04

3

0..1

文書ヘッダ参照文書履歴番号

BBIE

Document_ReferencedDocument

RevisionID

Code

この文書ヘッダが参照するインボイス文書の変更履歴を管理する番号。

UN01005588

BBIE

4950

IID292

文書ヘッダ参照インボイス文書履歴番号

この文書ヘッダが参照するインボイス文書の変更履歴を管理する番号。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:InvoiceReferencedCIReferencedDocument/ram:RevisionID

4480

文書ヘッダ

NC46-05

NC46

05

3

0..1

文書ヘッダ参照文書タイプ

BBIE

Document_ReferencedDocument

TypeCode

Code

この文書ヘッダが参照するインボイス文書のタイプを識別するコード

UN01009672

BBIE

4960

IID293

文書ヘッダ参照インボイス文書タイプ

この文書ヘッダが参照するインボイス文書のタイプを識別するコード

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:InvoiceReferencedCIReferencedDocument/ram:TypeCode

4490

文書ヘッダ

NC46-06

NC46

06

3

0..1

文書ヘッダ参照文書サブタイプ

BBIE

Document_ReferencedDocument

SubtypeCode

Code

この文書ヘッダが参照するインボイス文書のサブタイプを識別するコード

UN01014899

BBIE

4970

IID294

文書ヘッダ参照インボイス文書サブタイプ

この文書ヘッダが参照するインボイス文書のサブタイプを識別するコード

?

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:InvoiceReferencedCIReferencedDocument/ram:SubtypeCode

4500

文書ヘッダ

JPS2200015

ASBIE

4980

IID294

0..n

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:InvoiceReferencedCIReferencedDocument/ram:AttachedSpecifiedBinaryFile

4510

文書ヘッダ

NC46-07

NC46

07

3

0..1

文書ヘッダ参照文書説明

BBIE

Document_ReferencedDocument

Description

Text

UN01006026

BBIE

5030

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:InvoiceReferencedCIReferencedDocument/ram:AttachedSpecifiedBinaryFile/ram:Description

1370

IBT-123

0..1

2

Supporting document description

添付書類の説明

A description of the supporting document.

添付書類の説明。

/Invoice/cac:AdditionalDocumentReference[not(cbc:DocumentTypeCode=’130′)]/cbc:DocumentDescription

4520

文書ヘッダ

NC46-08

NC46

08

3

0..1

文書ヘッダ参照文書外部ファイルロケーション

BBIE

Document_ReferencedDocument

URIID

Code

UN01006020

BBIE

5000

0.1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:InvoiceReferencedCIReferencedDocument/ram:AttachedSpecifiedBinaryFile/ram:URIID

1410

IBT-124

0..1

2

External document location

外部ドキュメントのロケーション

The URL (Uniform Resource Locator) that identifies where the external document is located.

外部ドキュメントの所在を示すURL(ユニフォームリソースロケータ)

/Invoice/cac:AdditionalDocumentReference[not(cbc:DocumentTypeCode=’130′)]/cac:Attachment/cac:ExternalReference/cbc:URI

4530

文書ヘッダ

NC46-11

NC46

11

3

0..1

文書ヘッダ参照文書添付バイナリファイルファイル名

BBIE

Document_ReferencedDocument

AttachmentBinaryObjectFileName

Code

UN01006019

attribute

4990

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:InvoiceReferencedCIReferencedDocument/ram:AttachedSpecifiedBinaryFile/FileName

1400

ibt-125-2

1..1

3

Attached document Filename

添付書類ファイル名

/Invoice/cac:AdditionalDocumentReference[not(cbc:DocumentTypeCode=’130′)]/cac:Attachment/cbc:EmbeddedDocumentBinaryObject/@filename

4540

文書ヘッダ

NC46-09

NC46

09

3

0..1

文書ヘッダ参照文書添付バイナリファイル

BBIE

Document_ReferencedDocument

AttachmentBinaryObject

Code

この文書ヘッダが参照するインボイス文書のサブタイプを識別するコード

UN01011455

BBIE

5010

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:InvoiceReferencedCIReferencedDocument/ram:AttachedSpecifiedBinaryFile/ram:IncludedBinaryObject

1380

IBT-125

0..1

2

Attached document

添付書類

An attached document embedded as binary object or sent together with the invoice.

バイナリオブジェクトとして埋め込まれた、または請求書と一緒に送られた添付書類。

/Invoice/cac:AdditionalDocumentReference[not(cbc:DocumentTypeCode=’130′)]/cac:Attachment/cbc:EmbeddedDocumentBinaryObject

4550

文書ヘッダ

NC46-10

NC46

10

3

0..1

文書ヘッダ参照文書添付バイナリファイルmimeコード

BBIE

Document_ReferencedDocument

AttachmentBinaryObjectMIMECode

Code

UN01006021

attribute

5020

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:InvoiceReferencedCIReferencedDocument/ram:AttachedSpecifiedBinaryFile/ram:IncludedBinaryObject/@mimeCode

1390

ibt-125-1

1..1

3

Attached document Mime code

添付書類MIMEコード

Allowed mime codes:\napplication/pdf\nimage/png\nimage/jpeg\ntext/csv\napplication/vnd.openxmlformats-officedocument.spreadsheetml.sheet\napplication/vnd.oasis.opendocument. spreadsheet

許可されているMIMEコード:\napplication/pdf\nimage/png\nimage/jpeg\ntext/csv\napplication/vnd.openxmlformats-officedocument.spreadsheetml.sheet\napplication/vnd.oasis.opendocument. Spreadsheet

/Invoice/cac:AdditionalDocumentReference[not(cbc:DocumentTypeCode=’130′)]/cac:Attachment/cbc:EmbeddedDocumentBinaryObject/@mimeCode

4560

文書ヘッダ

NC39-NC47

NC39

NC47

2

0..n

文書ヘッダ付加文書

ASBIE

InvoiceDocument

AdditionalReferenced

__

Additional_ReferencedDocument

文書ヘッダ決済の付加文書に関するグループ

UN01006005

ASBIE

5040

ICL70

文書ヘッダ決済/付加文書グループ

文書ヘッダ決済の付加文書に関するグループ

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:AdditionalReferencedCIReferencedDocument

4570

文書ヘッダ

NC47-01

NC47

01

3

1..1

文書ヘッダ付加文書番号

BBIE

Additional_ReferencedDocument

IssuerAssignedID

Document Reference

この文書ヘッダ付加文書の文書番号

UN01005580

BBIE

5050

IID295

文書ヘッダ付加文書番号

この文書ヘッダ付加文書の文書番号

?

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:AdditionalReferencedCIReferencedDocument/ram:IssuerAssignedID

4580

文書ヘッダ

NC47-02

NC47

02

3

0..1

文書ヘッダ参照付加文書発行日

BBIE

Additional_ReferencedDocument

IssueDateTime

Date

この文書ヘッダ付加文書に記載の発行日付

UN01005582

BBIE

5060

IID296

文書ヘッダ参照付加文書発行日

この文書ヘッダ付加文書に記載の発行日付

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:AdditionalReferencedCIReferencedDocument/ram:IssueDateTime/udt:DateTimeString

4590

文書ヘッダ

NC47-03

NC47

03

3

0..1

文書ヘッダ付加文書参照タイプコード

BBIE

Additional_ReferencedDocument

ReferenceTypeCode

Code

この文書ヘッダ付加文書の参照タイプを識別するコード。\nデフォルト属性=null

UN01005586

BBIE

5070

IID297

文書ヘッダ付加文書参照タイプコード

この文書ヘッダ付加文書の参照タイプを識別するコード。\nデフォルト属性=null

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:AdditionalReferencedCIReferencedDocument/ram:ReferenceTypeCode

4600

文書ヘッダ

NC47-04

NC47

04

3

0..1

文書ヘッダ付加文書履歴番号

BBIE

Additional_ReferencedDocument

RevisionID

Code

この文書ヘッダ付加文書の変更履歴を管理する番号。

UN01005588

BBIE

5080

IID298

文書ヘッダ付加文書履歴番号

この文書ヘッダ付加文書の変更履歴を管理する番号。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:AdditionalReferencedCIReferencedDocument/ram:RevisionID

4610

文書ヘッダ

NC47-05

NC47

05

3

0..1

文書ヘッダ付加文書説明

BBIE

Additional_ReferencedDocument

Information

Text

この文書ヘッダ付加文書の説明

UN01006415

BBIE

5090

IID299

文書ヘッダ付加文書説明

この文書ヘッダ付加文書の説明

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:AdditionalReferencedCIReferencedDocument/ram:Information

4620

文書ヘッダ

NC47-06

NC47

06

3

0..1

文書ヘッダ付加文書タイプ

BBIE

Additional_ReferencedDocument

TypeCode

Code

この文書ヘッダ付加文書のタイプを識別するコード\n属性=「758」(Tender:入札書)の場合\n    →JP-PINT[IBT-017]へマッピング

UN01009672

BBIE

5100

IID300

文書ヘッダ付加文書タイプ

この文書ヘッダ付加文書のタイプを識別するコード\n属性=「758」(Tender:入札書)の場合\n    →JP-PINT[IBT-017]へマッピング

?

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:AdditionalReferencedCIReferencedDocument/ram:TypeCode

4630

文書ヘッダ

NC47-07

NC47

07

3

0..1

文書ヘッダ付加文書添付ファイル

BBIE

Additional_ReferencedDocument

AttachmentBinaryObject

Code

この文書ヘッダ付加文書の添付バイナリファイルの有無を識別するコード\nなしの場合はNULL(デファクト)\nありの場合はヘッダの添付バイナリファイル識別子(UN01006015)を指定する。

UN01011455

BBIE

5110

IID301

文書ヘッダ付加文書添付ファイル

この文書ヘッダ付加文書の添付バイナリファイルの有無を識別するコード\nなしの場合はNULL(デファクト)\nありの場合はヘッダの添付バイナリファイル識別子(UN01006015)を指定する。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:AdditionalReferencedCIReferencedDocument/ram:AttachmentBinaryObject

4640

文書ヘッダ

NC47-08

NC47

08

3

0..1

文書ヘッダ付加文書サブタイプコード

BBIE

Additional_ReferencedDocument

SubtypeCode

Code

この文書ヘッダ付加文書のサブタイプを識別するコード

UN01014899

BBIE

5120

IID302

文書ヘッダ付加文書サブタイプコード

この文書ヘッダ付加文書のサブタイプを識別するコード

?

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:AdditionalReferencedCIReferencedDocument/ram:SubtypeCode

4650

文書ヘッダ

UN01005991

ASBIE

4000

文書ヘッダ/配送グループ

文書ヘッダの配送に関する情報からなるグループ。

0..1

4

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeDelivery

4660

文書ヘッダ

NC39-NC48

NC39

NC48

2

0..n

出荷回答書

ASBIE

InvoiceDocument

ReceivingAdviceReferenced

__

ReceivingAdvice_ReferencedDocument

この文書ヘッダが参照する出荷回答書のグループ

UN01006040

ASBIE

4200

ICL56

文書ヘッダ配送/参照出荷回答書グループ

この文書ヘッダが参照する出荷回答書のグループ

0..n

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeDelivery/ram:ReceivingAdviceReferencedCIReferencedDocument

1250

0..1

/Invoice/cac:DespatchDocumentReference

4670

文書ヘッダ

NC48-01

NC48

01

3

1..1

文書ヘッダ参照出荷回答書番号

BBIE

ReceivingAdvice_ReferencedDocument

IssuerAssignedID

Document Reference

この文書ヘッダが参照する発注者が付番した出荷回答書番号

UN01005580

BBIE

4210

IID235

(文書ヘッダ参照)出荷回答書番号

この文書ヘッダが参照する発注者が付番した出荷回答書番号

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeDelivery/ram:ReceivingAdviceReferencedCIReferencedDocument/ram:IssuerAssignedID

1260

IBT-016

0..1

1

Despatch advice reference

出荷案内書参照

An identifier of a referenced despatch advice.

参照する出荷案内書に売り手が付番した番号。

/Invoice/cac:DespatchDocumentReference/cbc:ID

4680

文書ヘッダ

NC48-02

NC48

02

3

0..1

文書ヘッダ参照出荷回答書履歴番号

BBIE

ReceivingAdvice_ReferencedDocument

RevisionID

Code

この文書ヘッダが参照する出荷回答書の変更履歴を管理する番号。

UN01005588

BBIE

4220

IID236

(文書ヘッダ参照)出荷回答書履歴番号

この文書ヘッダが参照する出荷回答書の変更履歴を管理する番号。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeDelivery/ram:ReceivingAdviceReferencedCIReferencedDocument/ram:RevisionID

4690

文書ヘッダ

NC48-03

NC48

03

3

0..1

文書ヘッダ参照出荷回答書タイプコード

BBIE

ReceivingAdvice_ReferencedDocument

TypeCode

Code

この文書ヘッダが参照する出荷回答書のタイプを識別するコード\n=「632」(Goods receipt)(デフォルト)

UN01009672

BBIE

4230

IID237

(文書ヘッダ参照)出荷回答書タイプコード

この文書ヘッダが参照する出荷回答書のタイプを識別するコード\n=「632」(Goods receipt)(デフォルト)

?

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeDelivery/ram:ReceivingAdviceReferencedCIReferencedDocument/ram:TypeCode

4700

文書ヘッダ

NC48-04

NC48

04

3

0..1

文書ヘッダ参照文書サブタイプコード

BBIE

ReceivingAdvice_ReferencedDocument

SubtypeCode

Code

この文書ヘッダが参照する出荷回答書のサブタイプを識別するコード\n=[63201](出荷回答書:デフォルト)

UN01014899

BBIE

4240

IID238

(文書ヘッダ参照)文書サブタイプコード

この文書ヘッダが参照する出荷回答書のサブタイプを識別するコード\n=[63201](出荷回答書:デフォルト)

?

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeDelivery/ram:ReceivingAdviceReferencedCIReferencedDocument/ram:SubtypeCode

4710

文書ヘッダ

NC39-NC49

NC39

NC49

2

0..n

参照納品書

ASBIE

InvoiceDocument

DespatchAdviceReferenced

__

DespatchAdvice_ReferencedDocument

明細文書が参照する納品書のクラス

UN01006041

ASBIE

4130

ICL55

文書ヘッダ配送/参照納品書グループ

この文書ヘッダが参照する納品書(出荷案内書、送り状等)のグループ

0..n

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeDelivery/ram:DespatchAdviceReferencedCIReferencedDocument

3080

0..n

/Invoice/cac:InvoiceLine/cac:DespatchLineReference

4720

文書ヘッダ

3090

1..1

NA

/Invoice/cac:InvoiceLine/cac:DespatchLineReference/cbc:LineID

4730

文書ヘッダ

NC49-01

NC49

01

3

1..1

参照納品書番号

BBIE

DespatchAdvice_ReferencedDocument

IssuerAssignedID

Document Reference

この明細文書が参照する売り手が付番した納品書番号

UN01005580

BBIE

4140

IID230

(参照)納品書番号

この明細文書が参照する受注者が付番した納品書番号

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeDelivery/ram:DespatchAdviceReferencedCIReferencedDocument/ram:IssuerAssignedID

3100

IBT-184

1..1

2

Despatch advice reference

出荷案内書参照

An identifier for a referenced despatch advice.

この請求書が参照する出荷案内書を参照するためのID。

/Invoice/cac:InvoiceLine/cac:DespatchLineReference/cac:DocumentReference/cbc:ID

4740

文書ヘッダ

NC49-02

NC49

02

3

0..1

参照納品書履歴番号

BBIE

DespatchAdvice_ReferencedDocument

RevisionID

Code

この明細文書が参照する納品書の変更履歴を管理する番号。

UN01005588

BBIE

4150

IID231

(参照)納品書履歴番号

この明細文書が参照する納品書の変更履歴を管理する番号。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeDelivery/ram:DespatchAdviceReferencedCIReferencedDocument/ram:RevisionID

4750

文書ヘッダ

NC49-03

NC49

03

3

1..1

参照納品書タイプコード

BBIE

DespatchAdvice_ReferencedDocument

TypeCode

Code

この明細文書が参照する納品書のタイプを識別するコード\nデフォルトは「納品書」

UN01009672

BBIE

4160

IID232

(参照)納品書タイプコード

この明細文書が参照する納品書のタイプを識別するコード\nデフォルトは「納品書」

?

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeDelivery/ram:DespatchAdviceReferencedCIReferencedDocument/ram:TypeCode

4760

文書ヘッダ

NC49-04

NC49

04

3

1..1

参照納品書類型コード

BBIE

DespatchAdvice_ReferencedDocument

CategoryCode

Code

この明細文書が参照する納品書の類型(適格請求書等対応、適格請求書等部分対応、適格請求書非適合)を識別するコード\nデフォルトは「適格請求書非適合」

UN01013318

BBIE

4170

IID233

(参照)納品書類型コード

この明細文書が参照する納品書の類型(適格請求書等対応、適格請求書等部分対応、適格請求書非適合)を識別するコード\nデフォルトは「適格請求書非適合」

?

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeDelivery/ram:DespatchAdviceReferencedCIReferencedDocument/ram:CategoryCode

4770

文書ヘッダ

NC49-05

NC49

05

3

1..1

参照文書サブタイプコード

BBIE

DespatchAdvice_ReferencedDocument

SubtypeCode

Code

この明細文書が参照する納品書のサブタイプを識別するコード\nデフォルトは「納品書」

UN01014899

BBIE

4180

IID234

(参照)文書サブタイプコード

この明細文書が参照する納品書のサブタイプを識別するコード\nデフォルトは「納品書」

?

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeDelivery/ram:DespatchAdviceReferencedCIReferencedDocument/ram:SubtypeCode

4780

文書ヘッダ

NC39-NC50

NC39

NC50

2

0..1

納入先

ASBIE

InvoiceDocument

ShipTo

__

ShipTo_ Party

納入先に関する情報のグループ

UN01005980

ASBIE

4010

ICL52

文書ヘッダ配送/納入先グループ

この文書ヘッダの納入先に関するグループ

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeDelivery/ram:ShipToCITradeParty

2130

IBG-13

0..1

1

DELIVERY INFORMATION

納入先

A group of business terms providing information about where and when the goods and services invoiced are delivered.

財又はサービスが何時何処に納入されたかに係る情報を提供するビジネス用語のグループ。

/Invoice/cac:Delivery

4790

文書ヘッダ

NC50-01

NC50

01

3

0..1

配送日

BBIE

ShipTo_ Party

OccurrenceDateTime

Date

納入先へ発送した日時

UN01005628

BBIE

4120

IID229

配送日

納入先へ発送した日時

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeDelivery/ram:ActualDeliveryCISupplyChainEvent/ram:OccurrenceDateTime/udt:DateTimeString

2140

IBT-072

0..1

2

Actual delivery date

実際納入日

the date on which the supply of goods or services was made or completed.

財又はサービスが納入された、あるいはすべて提供された日付。

/Invoice/cac:Delivery/cbc:ActualDeliveryDate

4800

文書ヘッダ

NC50-02

NC50

02

3

0..1

納入先コード

BBIE

ShipTo_ Party

ID

Identifier

納入先の企業/工場・事業所・事業部門等を表す発注者が付与したコード。

UN01005757

BBIE

4020

IID221

納入先コード

納入先の企業/工場・事業所・事業部門等を表す発注者が付与したコード。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeDelivery/ram:ShipToCITradeParty/ram:ID

2150

IBT-071

0..1

2

Deliver to location identifier

納入先ID

An identifier for the location at which the goods and services are delivered.

財又はサービスが納入された納入先の場所ID。

/Invoice/cac:Delivery/cac:DeliveryLocation/cbc:ID

4810

文書ヘッダ

NC50-03

NC50

03

3

0..1

納入先コードスキーマID

BBIE

ShipTo_ Party

IDSchemeID

Code

コードの発番機関コード

2160

IBT-071-1

0..1

2

Deliver to location identifier Scheme identifier

スキーマID

The identification scheme identifier of the Deliver to location identifier. If used the identification scheme shall be chosen from the entries of the list published by the ISO/IEC 6523 maintenance agency.

納入された住所IDを発行した組織の識別スキーマID。使用する場合、識別スキーマは、ISO/IEC 6523 の保守機関によって公開されたリストから選択しなければならない。

/Invoice/cac:Delivery/cac:DeliveryLocation/cbc:ID/@schemeID

4820

文書ヘッダ

NC50-04

NC50

04

3

0..1

納入先国際企業コード

BBIE

ShipTo_ Party

GlobalID

Identifier

納入先企業を表す国際企業コード。中小企業共通EDIでは法人番号を利用

UN01005758

BBIE

4030

IID222

納入先国際企業コード

納入先企業を表す国際企業コード。中小企業共通EDIでは法人番号を利用

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeDelivery/ram:ShipToCITradeParty/ram:GlobalID

4830

文書ヘッダ

NC50-05

NC50

05

3

0..1

納入先国際企業コードスキーマID

BBIE

ShipTo_ Party

GlobalIDSchemeID

Code

コードの発番機関コード

4840

文書ヘッダ

NC50-06

NC50

06

3

0..1

納入先名称

BBIE

ShipTo_ Party

Name

Text

納入先の企業/工場・事業所・事業部門等の名称

UN01005759

BBIE

4040

IID223

納入先名称

納入先の企業/工場・事業所・事業部門等の名称

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeDelivery/ram:ShipToCITradeParty/ram:Name

2250

IBT-070

0..1

2

Deliver to party name

納入先名称

The name of the party to which the goods and services are delivered.

財又はサービスが納入された納入先の名称。

/Invoice/cac:Delivery/cac:DeliveryParty/cac:PartyName/cbc:Name

4850

文書ヘッダ

NC50-NC51

NC50

NC51

3

0..1

納入先住所

ASBIE

ShipTo_ Party

Postal

__

ShipTo_Address

住所に関する情報のグループ

UN01005762

ASBIE

4050

ICL53

納入先/住所グループ

納入先企業の住所情報に関するグループ。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeDelivery/ram:ShipToCITradeParty/ram:PostalCITradeAddress

2170

IBG-15

0..1

2

DELIVER TO ADDRESS

納入先住所

A group of business terms providing information about the address to which goods and services invoiced were or are delivered.

請求する財又はサービスの納入先の住所に関する情報を提供するビジネス用語のグループ。

/Invoice/cac:Delivery/cac:DeliveryLocation/cac:Address

4860

文書ヘッダ

NC51-01

NC51

01

4

0..1

納入先郵便番号

BBIE

ShipTo_Address

PostcodeCode

Code

納入先の郵便番号

UN01005689

BBIE

4060

IID224

納入先郵便番号

納入先の郵便番号

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeDelivery/ram:ShipToCITradeParty/ram:PostalCITradeAddress/ram:PostcodeCode

2210

IBT-078

0..1

3

Deliver to post code

納入先郵便番号

The identifier for an addressable group of properties according to the relevant postal service.

納入先の住所の郵便番号。

/Invoice/cac:Delivery/cac:DeliveryLocation/cac:Address/cbc:PostalZone

4870

文書ヘッダ

NC51-02

NC51

02

4

0..1

納入先住所1

BBIE

ShipTo_Address

LineOne

Text

納入先の住所1行目

UN01005692

BBIE

4070

IID225

納入先住所1

納入先の住所1行目

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeDelivery/ram:ShipToCITradeParty/ram:PostalCITradeAddress/ram:LineOne

2180

IBT-075

0..1

3

Deliver to address line 1

納入先住所欄1

The main address line in an address.

納入先の住所の主な記載欄。

/Invoice/cac:Delivery/cac:DeliveryLocation/cac:Address/cbc:StreetName

4880

文書ヘッダ

NC51-03

NC51

03

4

0..1

納入先住所2

BBIE

ShipTo_Address

LineTwo

Text

納入先の住所2行目。

UN01005693

BBIE

4080

IID226

納入先住所2

納入先の住所2行目。

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeDelivery/ram:ShipToCITradeParty/ram:PostalCITradeAddress/ram:LineTwo

2190

IBT-076

0..1

3

Deliver to address line 2

納入先住所欄2

An additional address line in an address that can be used to give further details supplementing the main line.

納入先の住所の主な記載内容に加えて詳細な情報のために使用する追加記載欄。

/Invoice/cac:Delivery/cac:DeliveryLocation/cac:Address/cbc:AdditionalStreetName

4890

文書ヘッダ

NC51-04

NC51

04

4

0..1

納入先住所3

BBIE

ShipTo_Address

LineThree

Text

納入先の住所3行目。

UN01005694

BBIE

4090

IID227

納入先住所3

納入先の住所3行目。

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeDelivery/ram:ShipToCITradeParty/ram:PostalCITradeAddress/ram:LineThree

2230

IBT-165

0..1

3

Deliver to address line 3

納入先住所欄3

An additional address line in an address that can be used to give further details supplementing the main line.

納入先の住所の上記の記載内容に加えてより詳細な情報のために使用する追加記載欄。

/Invoice/cac:Delivery/cac:DeliveryLocation/cac:Address/cac:AddressLine/cbc:Line

4900

文書ヘッダ

NC51-05

NC51

05

4

0..1

納入先住所 市区町村

BBIE

ShipTo_Address

CityName

Text

納入先が所在する市、町、村の通称。

2200

IBT-077

0..1

3

Deliver to city

納入先住所 市区町村

The common name of the city town or village where the deliver to address is located.

納入先が所在する市、町、村の通称。

/Invoice/cac:Delivery/cac:DeliveryLocation/cac:Address/cbc:CityName

4910

文書ヘッダ

NC51-06

NC51

06

4

0..1

納入先住所 都道府県

BBIE

ShipTo_Address

CountrySubentity

Text

納入先の住所の地方区分。

2220

IBT-079

0..1

3

Deliver to country subdivision

納入先住所 都道府県

The subdivision of a country.

納入先の住所の地方区分。

/Invoice/cac:Delivery/cac:DeliveryLocation/cac:Address/cbc:CountrySubentity

4920

文書ヘッダ

NC51-07

NC51

07

4

0..1

納入先国識別子

BBIE

ShipTo_Address

CountryID

Code

納入先の国ID。

UN01005700

BBIE

4100

IID228

納入先国識別子

納入先の国ID。デフォルトは「JP」

1..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeDelivery/ram:ShipToCITradeParty/ram:PostalCITradeAddress/ram:CountryID

2240

IBT-080

1..1

3

Deliver to country code

納入先国コード

A code that identifies the country.

納入先の住所の国コード。

/Invoice/cac:Delivery/cac:DeliveryLocation/cac:Address/cac:Country/cbc:IdentificationCode

4930

文書ヘッダ

UN01005986

ASBIE

4110

ICL54

文書ヘッダ配送/イベントグループ

この文書ヘッダの発送イベントのグループ

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeDelivery/ram:ActualDeliveryCISupplyChainEvent

4940

文書ヘッダ

NC39-NC52

NC39

NC52

2

0..1

文書ヘッダ取引期間

ASBIE

InvoiceDocument

Billing

__

SpecifiedPeriod

文書ヘッダの取引期間に関するグループ

UN01005997

ASBIE

4650

ICL64

文書ヘッダ決済/取引期間グループ

文書ヘッダの取引期間に関するグループ

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:BillingCISpecifiedPeriod

4950

文書ヘッダ

NC52-01

NC52

01

3

1..1

文書ヘッダ取引開始日

BBIE

SpecifiedPeriod

StartDateTime

Date

この文書ヘッダの取引開始日

UN01005612

BBIE

4660

IID272

文書ヘッダ取引開始日

この文書ヘッダの取引開始日

?

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:BillingCISpecifiedPeriod/ram:StartDateTime/udt:DateTimeString

4960

文書ヘッダ

NC52-02

NC52

02

3

1..1

文書ヘッダ取引終了日

BBIE

SpecifiedPeriod

EndDateTime

Date

この文書ヘッダの取引終了日

UN01005613

BBIE

4670

IID273

文書ヘッダ取引終了日

この文書ヘッダの取引終了日

?

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:BillingCISpecifiedPeriod/ram:EndDateTime/udt:DateTimeString

4970

文書ヘッダ

NC39-NC53

NC39

NC53

2

0..n

文書ヘッダ返金

ASBIE

InvoiceDocument

Allowance

__

Allowance

ヘッダ返金のクラス

UN01005926

ASBIE

4430

ICL58

文書ヘッダ決済/文書ヘッダ返金グループ

文書ヘッダの返金グループ

0..n

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=false()]

2470

IBG-20

0..n

1

DOCUMENT LEVEL ALLOWANCES

請求書レベルの返金

A group of business terms providing information about allowances applicable to the Invoice as a whole.

請求書レベルの返金に関する情報を提供するビジネス用語のグループ。

/Invoice/cac:AllowanceCharge[cbc:ChargeIndicator=false()]

4980

文書ヘッダ

NC53-01

NC53

01

3

1..1

明細行追加請求フラグ

BBIE

Allowance

ChargeIndicator

Indicator

この明細行が追加請求(チャージ)か識別する識別子。\n固定値 fault=Allowance

UN01005707

BBIE

4440

IID240

文書ヘッダ返金・追加請求識別コード

ヘッダ返金とヘッダ追加請求を識別するコード。\nデフォルトは返金

false

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=false()]/ram:ChargeIndicator/udt:Indicator

2480

1..1

2

false

/Invoice/cac:AllowanceCharge[cbc:ChargeIndicator=false()]/cbc:ChargeIndicator

4990

文書ヘッダ

NC53-02

NC53

02

3

0..1

文書ヘッダ返金の率

BBIE

Allowance

CalculationPercent

Percentage

ヘッダ返金を計算するための率

UN01005710

BBIE

4450

IID241

文書ヘッダ返金計算率

この文書ヘッダ返金を計算するための率

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=false()]/ram:CalculationPercent

2510

IBT-094

0..1

2

Document level allowance percentage

請求書レベルの返金の率

The percentage that may be used in conjunction with the document level allowance base amount to calculate the document level allowance amount.

請求書レベルの返金基準金額に乗じて、請求書レベルの返金金額を算出する際に使用されるパーセント。

/Invoice/cac:AllowanceCharge[cbc:ChargeIndicator=false()]/cbc:MultiplierFactorNumeric

5000

文書ヘッダ

NC53-03

NC53

03

3

1..1

文書ヘッダ返金課税分類合計金額

BBIE

Allowance

ActualAmount

Amount

ヘッダ返金課税分類合計金額=Σ課税分類明細行返金金額

UN01005713

BBIE

4460

IID242

文書ヘッダ返金金額

この文書ヘッダ返金の請求金額

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=false()]/ram:ActualAmount

2520

IBT-092

1..1

2

Document level allowance amount

請求書レベルの返金金額(税抜き)

The amount of an allowance without TAX.

返金金額(税抜き)。

/Invoice/cac:AllowanceCharge[cbc:ChargeIndicator=false()]/cbc:Amount

5010

文書ヘッダ

NC53-04

NC53

04

3

0..1

文書ヘッダ返金の理由

BBIE

Allowance

ReasonCode

Code

ヘッダ返金の理由を識別するコード

UN01005714

BBIE

4470

IID243

文書ヘッダ返金理由コード

この文書ヘッダ返金の理由を識別するコード

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=false()]/ram:ReasonCode

2500

IBT-097

0..1

2

Document level allowance reason

請求書レベルの返金の理由

The reason for the document level allowance expressed as text.

請求書レベルの返金の理由をテキストで表現。

/Invoice/cac:AllowanceCharge[cbc:ChargeIndicator=false()]/cbc:AllowanceChargeReason

5020

文書ヘッダ

NC53-05

NC53

05

3

0..1

文書ヘッダ返金の理由コード

BBIE

Allowance

Reason

Code

ヘッダ返金の理由(内容)の説明

UN01005715

BBIE

4480

IID244

文書ヘッダ返金理由

この文書ヘッダ返金の理由(内容)の説明

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=false()]/ram:Reason

2490

IBT-098

0..1

2

Document level allowance reason code

請求書レベルの返金の理由コード

The reason for the document level allowance expressed as a code.

請求書レベルの返金の理由コード。

/Invoice/cac:AllowanceCharge[cbc:ChargeIndicator=false()]/cbc:AllowanceChargeReasonCode

5030

文書ヘッダ

NC53-06

NC53

06

3

0..1

文書ヘッダ返金金額の基準となる金額

BBIE

Allowance

BasisAmount

Amount

ヘッダ返金の計算根拠となる金額

UN01008286

BBIE

4490

IID245

文書ヘッダ返金計算根拠金額

この文書ヘッダ返金の計算根拠となる金額

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=false()]/ram:BasisAmount

2530

IBT-093

0..1

2

Document level allowance base amount

請求書レベルの返金金額の基準となる金額

The base amount that may be used in conjunction with the document level allowance percentage to calculate the document level allowance amount.

請求書レベルの返金の率を乗じて請求書レベルの返金金額を算出する際に使用される基準金額。

/Invoice/cac:AllowanceCharge[cbc:ChargeIndicator=false()]/cbc:BaseAmount

5040

文書ヘッダ

UN01005716

ASBIE

4500

ICL59

文書ヘッダ返金/文書ヘッダ返金税グループ

文書ヘッダ返金の税に関するグループ

0..n

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=false()]/ram:CategoryCITradeTax

5050

文書ヘッダ

NC53-07

NC53

07

3

1..1

文書ヘッダ返金税率

BBIE

Allowance

CalculatedRate

Percentage

ヘッダ返金の税率

UN01005836

BBIE

4530

IID246

文書ヘッダ返金税率

文書ヘッダ返金の税率

1..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=false()]/ram:CategoryCITradeTax/ram:RateApplicablePercent

2550

IBT-096

0..1

2

Document level allowance TAX rate

請求書レベルの返金の税率

The TAX rate represented as percentage that applies to the document level allowance.

請求書レベルの返金に適用される消費税率(パーセント)。

/Invoice/cac:AllowanceCharge[cbc:ChargeIndicator=false()]/cac:TaxCategory/cbc:Percent

5060

文書ヘッダ

NC53-08

NC53

08

3

1..1

文書ヘッダ返金課税分類コード

BBIE

Allowance

CategoryCode

Code

ヘッダ返金の課税分類コード

UN01005841

BBIE

4520

IID247

文書ヘッダ返金課税分類コード

文書ヘッダ返金の課税分類コード

1..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=false()]/ram:CategoryCITradeTax/ram:CategoryCode

2540

IBT-095

1..1

2

Document level allowance TAX category code

請求書レベルの返金の課税分類コード

A coded identification of what TAX category applies to the document level allowance.

請求書レベルの返金に適用される課税分類コード。

/Invoice/cac:AllowanceCharge[cbc:ChargeIndicator=false()]/cac:TaxCategory/cbc:ID

5070

文書ヘッダ

NC53-09

NC53

09

3

1..1

文書ヘッダ返金課税コード

BBIE

Allowance

TypeCode

Code

ヘッダ返金の課税分類コード

UN01005841

BBIE

4510

IID247

文書ヘッダ返金課税コード

文書ヘッダ返金の課税分類コード

1..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=false()]/ram:CategoryCITradeTax/ram:TypeCode

2560

IBT-095-1

1..1

3

Document level allowance TAX category code Tax Scheme

税スキーマ

A code indicating the type of tax

税の種類を示すコード。VAT固定

VAT

/Invoice/cac:AllowanceCharge[cbc:ChargeIndicator=false()]/cac:TaxCategory/cac:TaxScheme/cbc:ID

5080

文書ヘッダ

NC39-NC54

NC39

NC54

2

0..n

文書ヘッダ追加請求

ASBIE

InvoiceDocument

Charge

__

Charge

ヘッダ追加請求のクラス

UN01005998

ASBIE

4540

ICL60

文書ヘッダ文書決済/文書ヘッダ追加請求グループ

文書ヘッダの文書ヘッダ追加請求のグループ

0..n

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=true()]

2570

IBG-21

0..n

1

DOCUMENT LEVEL CHARGES

請求書レベルの追加請求

A group of business terms providing information about charges and taxes other than TAX applicable to the Invoice as a whole.

請求書レベルの追加請求や追加税(消費税以外)に関する情報を提供するビジネス用語のグループ。

/Invoice/cac:AllowanceCharge[cbc:ChargeIndicator=true()]

5080

文書ヘッダ

NC54-09

NC54

09

3

1..1

文書ヘッダ追加請求課税コード

BBIE

Charge

TypeCode

Code

ヘッダ追加請求の課税分類コード

UN01005841

BBIE

4620

IID255

文書ヘッダ追加請求課税コード

文書ヘッダ追加請求の課税分類コード

1..1

8

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=true()]/ram:CategoryCITradeTax/ram:TypeCode

2660

IBT-102-1

1..1

3

Document level charge TAX category code Tax Scheme

税スキーマ

A code indicating the type of tax

税の種類を示すコード。VAT固定

VAT

/Invoice/cac:AllowanceCharge[cbc:ChargeIndicator=true()]/cac:TaxCategory/cac:TaxScheme/cbc:ID

5090

文書ヘッダ

NC54-01

NC54

01

3

1..1

明細行追加請求フラグ

BBIE

Charge

ChargeIndicator

Indicator

この明細行が追加請求(チャージ)か識別する識別子。\n固定値 true=harge

UN01005707

BBIE

4550

IID248

文書ヘッダ追加請求識別子

文書ヘッダ返金と文書ヘッダ追加請求を識別する識別子\n属性:True=Charge

true

1..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=true()]/ram:ChargeIndicator/udt:Indicator

2580

1..1

2

true

/Invoice/cac:AllowanceCharge[cbc:ChargeIndicator=true()]/cbc:ChargeIndicator

5100

文書ヘッダ

NC54-02

NC54

02

3

0..1

文書ヘッダ追加請求の率

BBIE

Charge

CalculationPercent

Percentage

ヘッダ追加請求を計算するための率

UN01005710

BBIE

4560

IID249

文書ヘッダ追加請求計算率

この文書ヘッダ追加請求を計算するための率

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=true()]/ram:CalculationPercent

2610

IBT-101

0..1

2

Document level charge percentage

請求書レベルの追加請求の率

The percentage that may be used in conjunction with the document level charge base amount to calculate the document level charge amount.

請求書レベルの追加請求基準金額に乗じて請求書レベルの追加請求金額を算出するために使用されるパーセント。

/Invoice/cac:AllowanceCharge[cbc:ChargeIndicator=true()]/cbc:MultiplierFactorNumeric

5110

文書ヘッダ

NC54-03

NC54

03

3

1..1

文書ヘッダ追加請求課税分類合計金額

BBIE

Charge

ActualAmount

Amount

ヘッダ追加請求課税分類合計金額=Σ課税分類明細行追加請求金額

UN01005713

BBIE

4570

IID250

文書ヘッダ追加請求金額

この文書ヘッダ追加請求の請求金額

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=true()]/ram:ActualAmount

2620

IBT-099

1..1

2

Document level charge amount

請求書レベルの追加請求金額(税抜き)

The amount of a charge without TAX.

追加請求金額(税抜き)。

/Invoice/cac:AllowanceCharge[cbc:ChargeIndicator=true()]/cbc:Amount

5120

文書ヘッダ

NC54-04

NC54

04

3

0..1

文書ヘッダ追加請求の理由

BBIE

Charge

ReasonCode

Code

ヘッダ追加請求の理由を識別するコード

UN01005714

BBIE

4580

IID251

文書ヘッダ追加請求理由コード

この文書ヘッダ追加請求の理由を識別するコード

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=true()]/ram:ReasonCode

2600

IBT-104

0..1

2

Document level charge reason

請求書レベルの追加請求の理由

The reason for the document level charge expressed as text.

請求書レベルの追加請求の理由をテキストで表現。

/Invoice/cac:AllowanceCharge[cbc:ChargeIndicator=true()]/cbc:AllowanceChargeReason

5130

文書ヘッダ

NC54-05

NC54

05

3

0..1

文書ヘッダ追加請求の理由コード

BBIE

Charge

Reason

Code

ヘッダ追加請求の理由(内容)の説明

UN01005715

BBIE

4590

IID252

文書ヘッダ追加請求理由

この文書ヘッダ追加請求の理由(内容)の説明

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=true()]/ram:Reason

2590

IBT-105

0..1

2

Document level charge reason code

請求書レベルの追加請求の理由コード

The reason for the document level charge expressed as a code.

請求書レベルの追加請求の理由コード。

/Invoice/cac:AllowanceCharge[cbc:ChargeIndicator=true()]/cbc:AllowanceChargeReasonCode

5140

文書ヘッダ

NC54-06

NC54

06

3

0..1

文書ヘッダ追加請求金額の基準となる金額

BBIE

Charge

BasisAmount

Amount

ヘッダ追加請求の計算根拠となる金額

UN01008286

BBIE

4600

IID253

文書ヘッダ追加請求計算根拠金額

この文書ヘッダ追加請求の計算根拠となる金額

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=true()]/ram:BasisAmount

2630

IBT-100

0..1

2

Document level charge base amount

請求書レベルの追加請求金額の基準となる金額

The base amount that may be used in conjunction with the document level charge percentage to calculate the document level charge amount.

請求書レベルの追加請求率を乗じて請求書レベルの追加請求金額を算出する際に使用される基準金額。

/Invoice/cac:AllowanceCharge[cbc:ChargeIndicator=true()]/cbc:BaseAmount

5150

文書ヘッダ

UN01005716

ASBIE

4610

ICL61

文書ヘッダ返金/文書ヘッダ追加請求税グループ

文書ヘッダ追加請求の税に関するグループ

0..n

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=true()]/ram:CategoryCITradeTax

5160

文書ヘッダ

NC54-07

NC54

07

3

1..1

文書ヘッダ追加請求税率

BBIE

Charge

CalculatedRate

Percentage

ヘッダ追加請求の税率

UN01005836

BBIE

4640

IID254

文書ヘッダ追加請求税率

文書ヘッダ追加請求の税率

1..1

8

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=true()]/ram:CategoryCITradeTax/ram:RateApplicablePercent

2650

IBT-103

0..1

2

Document level charge TAX rate

請求書レベルの追加請求の税率

The TAX rate represented as percentage that applies to the document level charge.

請求書レベルの追加請求に適用される消費税率(パーセント)。

/Invoice/cac:AllowanceCharge[cbc:ChargeIndicator=true()]/cac:TaxCategory/cbc:Percent

5170

文書ヘッダ

NC54-08

NC54

08

3

1..1

文書ヘッダ追加請求課税分類コード

BBIE

Charge

CategoryCode

Code

ヘッダ追加請求の課税分類コード

UN01005841

BBIE

4630

IID255

文書ヘッダ追加請求課税分類コード

文書ヘッダ追加請求の課税分類コード

1..1

8

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=true()]/ram:CategoryCITradeTax/ram:CategoryCode

2640

IBT-102

1..1

2

Document level charge TAX category code

請求書レベルの追加請求の課税分類コード

A coded identification of what TAX category applies to the document level charge.

請求書レベルの追加請求に適用される課税分類コード。

/Invoice/cac:AllowanceCharge[cbc:ChargeIndicator=true()]/cac:TaxCategory/cbc:ID

5190

文書ヘッダ

NC39-NC55

NC39

NC55

2

0..1

文書ヘッダ合計金額

ASBIE

InvoiceDocument

Specified

__

Document_MonetarySummation

明細文書の合計金額に関するグループ

UN01006002

ASBIE

4680

ICL65

文書ヘッダ決済/合計金額グループ

文書ヘッダの合計金額に関するグループ

0..1

10

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCIILTradeSettlementMonetarySummation[ram:TaxTotalAmount/@currencyID=/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceCurrencyCode]

2830

IBG-22

1..1

1

DOCUMENT TOTALS

請求書総合計金額

A group of business terms providing the monetary totals for the Invoice.

請求書合計金額に係る情報を提供するビジネス用語のグループ。

/Invoice/cac:LegalMonetaryTotal

5200

文書ヘッダ

NC55-01

NC55

01

3

0..1

文書ヘッダ追加請求合計金額

BBIE

Document_MonetarySummation

ChargeTotalAmount

Amount

明細文書レベルの追加請求合計金額

UN01006008

BBIE

4690

IID274

文書ヘッダ追加請求合計金額

文書ヘッダレベルの追加請求合計金額

0..1

11

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCIILTradeSettlementMonetarySummation/ram:ChargeTotalAmount

2880

IBT-108

0..1

2

Sum of charges on document level

請求書レベルの追加請求の合計

Sum of all charges on document level in the Invoice.

請求書レベルの追加請求の合計。

/Invoice/cac:LegalMonetaryTotal/cbc:ChargeTotalAmount

5210

文書ヘッダ

NC55-02

NC55

02

3

0..1

文書ヘッダ返金合計金額

BBIE

Document_MonetarySummation

AllowanceTotalAmount

Amount

明細文書レベルの返金合計金額

UN01006009

BBIE

4700

IID275

文書ヘッダ返金合計金額

文書ヘッダレベルの返金合計金額

0..1

11

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCIILTradeSettlementMonetarySummation/ram:AllowanceTotalAmount

2870

IBT-107

0..1

2

Sum of allowances on document level

請求書レベルの返金の合計

Sum of all allowances on document level in the Invoice.

請求書レベルの返金の合計。

/Invoice/cac:LegalMonetaryTotal/cbc:AllowanceTotalAmount

5220

文書ヘッダ

NC55-03

NC55

03

3

1..1

文書ヘッダ合計税額

BBIE

Document_MonetarySummation

TaxTotalAmount

Amount

明細文書の合計税額

UN01006011

BBIE

4710

IID276

文書ヘッダ合計税額

文書ヘッダの合計税額

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCIILTradeSettlementMonetarySummation[ram:TaxTotalAmount/@currencyID=/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceCurrencyCode]/ram:TaxTotalAmount

2670

IBT-110

1..1

2

Invoice total TAX amount

請求書消費税合計金額

The total TAX amount for the Invoice.

請求書消費税合計金額。

/Invoice/cac:TaxTotal[cbc:TaxAmount/@currencyID=/Invoice/cbc:DocumentCurrencyCode]/cbc:TaxAmount

5230

文書ヘッダ

NC55-04

NC55

04

3

1..1

文書ヘッダグロス合計金額

BBIE

Document_MonetarySummation

GrossLineTotalAmount

Amount

明細文書レベルの追加請求・返金を除く明細文薗の資産譲渡金額の合計金額(税抜き)

UN01008455

BBIE

4720

IID277

文書ヘッダグロス合計金額

文書ヘッダレベルの追加請求・返金を除く明細文薗の資産譲渡金額の合計金額(税抜き)

1..1

11

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCIILTradeSettlementMonetarySummation/ram:GrossLineTotalAmount

2840

IBT-106

1..1

2

Sum of Invoice line net amount

値引後請求書明細行金額の合計

Sum of all Invoice line net amounts in the Invoice.

値引後明細行金額の合計金額。

/Invoice/cac:LegalMonetaryTotal/cbc:LineExtensionAmount

5240

文書ヘッダ

NC55-05

NC55

05

3

1..1

文書ヘッダ合計金額(税抜き)

BBIE

Document_MonetarySummation

NetLineTotalAmount

Amount

明細文書明細行の合計金額(税抜き)\n明細文書レベルの追加請求・返金を含む

UN01008456

BBIE

4730

IID278

文書ヘッダ合計金額(税抜き)

文書ヘッダ明細行の合計金額(税抜き)\n文書ヘッダレベルの追加請求・返金を含む

1..1

11

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCIILTradeSettlementMonetarySummation/ram:NetLineTotalAmount

2850

IBT-109

1..1

2

Invoice total amount without TAX

請求書合計金額(税抜き)

The total amount of the Invoice without TAX.

請求書合計金額(税抜き)。

/Invoice/cac:LegalMonetaryTotal/cbc:TaxExclusiveAmount

5250

文書ヘッダ

NC55-06

NC55

06

3

0..1

文書ヘッダ合計金額(税込み)

BBIE

Document_MonetarySummation

NetIncludingTaxesLineTotalAmount

Amount

明細文書明細行の合計金額(税込み)\n明細文書レベルの追加請求・返金を含む

UN01008457

BBIE

4740

IID279

文書ヘッダ合計金額(税込み)

文書ヘッダ明細行の合計金額(税込み)\n文書ヘッダレベルの追加請求・返金を含む

0..1

11

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCIILTradeSettlementMonetarySummation/ram:NetIncludingTaxesLineTotalAmount

2860

IBT-112

1..1

2

Invoice total amount with TAX

請求書合計金額(税込み)

The total amount of the Invoice with tax.

請求書合計金額(税込み)。

/Invoice/cac:LegalMonetaryTotal/cbc:TaxInclusiveAmount

5260

文書ヘッダ

NC55-07

NC55

07

3

1..1

文書ヘッダ総合計金額

BBIE

Document_MonetarySummation

GrandTotalAmount

Amount

明細文書の総合計金額(税込み)\n=明細文書合計金額(税抜き)+明細文書合計税額

UN01011519

BBIE

4750

IID280

文書ヘッダ総合計金額

文書ヘッダの総合計金額(税込み)\n=文書ヘッダ合計金額(税抜き)+文書ヘッダ合計税額

1..1

11

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCIILTradeSettlementMonetarySummation/ram:GrandTotalAmount

2900

IBT-115

1..1

2

Amount due for payment

差引請求金額

The outstanding amount that is requested to be paid.

買い手が支払を要求されている差引請求金額。

/Invoice/cac:LegalMonetaryTotal/cbc:PayableAmount

5270

文書ヘッダ

NC39-NC56

NC39

NC56

2

0..1

文書ヘッダ外貨建て請求書合計金額

ASBIE

InvoiceDocument

AccountingSpecified

__

Accounting_MonetarySummation

外貨建て請求書明細文書の合計金額に関するグループ。\n

UN01006002

ASBIE

4760

ICL66

文書ヘッダ決済/外貨建て請求書合計金額グループ

外貨建て請求書文書ヘッダの合計金額に関するグループ。\n

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCIILTradeSettlementMonetarySummation[ram:TaxTotalAmount/@currencyID=/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:TaxCurrencyCode]

2750

0..1

/Invoice/cac:TaxTotal[cbc:TaxAmount/@currencyID=/Invoice/cbc:TaxCurrencyCode]

5280

文書ヘッダ

NC56-01

NC56

01

3

0..1

外貨建て請求書文書ヘッダ合計税額

BBIE

Accounting_MonetarySummation

TaxTotalAmount

Amount

外貨建て適格請求明細文書の日本円合計税額。\n通貨コード属性=JPY\nインボイス文書通貨コード=「外貨」、税通貨コード=「JPY」の場合に利用する

UN01006011

BBIE

4770

IID281

(外貨建て請求書)文書ヘッダ合計税額

外貨建て適格請求文書ヘッダの日本円合計税額。\n通貨コード属性=JPY\nインボイス文書通貨コード=「外貨」、税通貨コード=「JPY」の場合に利用する

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCIILTradeSettlementMonetarySummation[ram:TaxTotalAmount/@currencyID=/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:TaxCurrencyCode]/ram:TaxTotalAmount

2760

IBT-111

0..1

2

Invoice total TAX amount in tax accounting currency

会計通貨での請求書消費税合計金額

The TAX total amount expressed in the accounting currency accepted or required in the country of the Seller.

売り手の国で認められた、又は要求された会計通貨での消費税合計金額。

/Invoice/cac:TaxTotal[cbc:TaxAmount/@currencyID=/Invoice/cbc:TaxCurrencyCode]/cbc:TaxAmount

5290

文書ヘッダ

NC39-NC57

NC39

NC57

2

1..n

文書ヘッダ課税分類

ASBIE

InvoiceDocument

Applicable

__

Document_TradeTax

明細文書の課税分類ごとの税に関するグループ。

UN01005996

ASBIE

4250

ICL62

文書ヘッダ決済/文書ヘッダ税グループ

文書ヘッダの税に関するグループ。

1..n

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:ApplicableCITradeTax[ram:CurrencyCode=/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceCurrencyCode]

2680

IBG-23

1..n

1

TAX BREAKDOWN

税内訳情報

A group of business terms providing information about TAX breakdown by different categories rates and exemption reasons

課税分類、消費税率、非課税/不課税理由毎の、消費税内訳に関する情報を提供するビジネス用語のグループ。

/Invoice/cac:TaxTotal[cbc:TaxAmount/@currencyID=/Invoice/cbc:DocumentCurrencyCode]/cac:TaxSubtotal

5300

文書ヘッダ

NC57-01

NC57

01

3

1..1

文書ヘッダ課税分類税額

BBIE

Document_TradeTax

CalculatedAmount

Amount

明細文書の課税分類毎に端数処理計算した税額。\n明細文書課税分類資産譲渡合計金額×税率\n算出した税額は切り上げ、切り捨て、四捨五入のいずれかで処理し、税額は整数とする

UN01005833

BBIE

4260

IID256

文書ヘッダ課税分類税額

文書ヘッダの課税分類毎に端数処理計算した税額。\n文書ヘッダ課税分類資産譲渡合計金額×税率\n算出した税額は切り上げ、切り捨て、四捨五入のいずれかで処理し、税額は整数とする

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:ApplicableCITradeTax[ram:CurrencyCode=/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceCurrencyCode]/ram:CalculatedAmount

2700

IBT-117

1..1

2

TAX category tax amount

課税分類毎の消費税額

The total TAX amount for a given TAX category.

課税分類毎の消費税額合計。

/Invoice/cac:TaxTotal[cbc:TaxAmount/@currencyID=/Invoice/cbc:DocumentCurrencyCode]/cac:TaxSubtotal/cbc:TaxAmount

5310

文書ヘッダ

NC57-02

NC57

02

3

0..1

文書ヘッダ課税コード

BBIE

Document_TradeTax

TypeCode

Code

税の種類(消費税、所得税など)を識別するコード。デフォルトは消費税

UN01005834

BBIE

4270

IID257

文書ヘッダ課税コード

税の種類(消費税、所得税など)を識別するコード。デフォルトは消費税

VAT

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:ApplicableCITradeTax[ram:CurrencyCode=/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceCurrencyCode]/ram:TypeCode

2740

1..1

3

Tax Scheme

税スキーマ

A code indicating the type of tax

税の種類を示すコード。VAT固定

VAT

/Invoice/cac:TaxTotal[cbc:TaxAmount/@currencyID=/Invoice/cbc:DocumentCurrencyCode]/cac:TaxSubtotal/cac:TaxCategory/cac:TaxScheme/cbc:ID

5320

文書ヘッダ

NC57-03

NC57

03

3

1..1

文書ヘッダ課税分類譲渡資産合計金額(税抜き)

BBIE

Document_TradeTax

BasisAmount

Amount

明細行の課税分類毎の税抜き譲渡資産金額の合計金額\n明細文書譲渡資産総合計金額(税抜き)=∑明細行譲渡資産金額(税抜き)+Σ明細文書追加請求金額ーΣ明細文書返金金額

UN01005839

BBIE

4280

IID258

文書ヘッダ課税分類譲渡資産合計金額(税抜き)

明細行の課税分類毎の税抜き譲渡資産金額の合計金額\n文書ヘッダ譲渡資産総合計金額(税抜き)=∑明細行譲渡資産金額(税抜き)+Σ文書ヘッダ追加請求金額ーΣ文書ヘッダ返金金額

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:ApplicableCITradeTax[ram:CurrencyCode=/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceCurrencyCode]/ram:BasisAmount

2690

IBT-116

1..1

2

TAX category taxable amount

課税分類毎の課税基準額

Sum of all taxable amounts subject to a specific TAX category code and TAX category rate (if the TAX category rate is applicable).

課税分類/課税分類の消費税率毎の課税基準額の合計。

/Invoice/cac:TaxTotal[cbc:TaxAmount/@currencyID=/Invoice/cbc:DocumentCurrencyCode]/cac:TaxSubtotal/cbc:TaxableAmount

5330

文書ヘッダ

NC57-04

NC57

04

3

1..1

文書ヘッダ課税分類コード

BBIE

Document_TradeTax

CategoryCode

Code

明細文書の課税分類(標準税率、軽減税率、不課税、非課税、免税等)を識別するコード\n課税分類ごとにクラスを設ける

UN01005841

BBIE

4290

IID259

文書ヘッダ課税分類コード

文書ヘッダの課税分類(標準税率、軽減税率、不課税、非課税、免税等)を識別するコード\n課税分類ごとにクラスを設ける

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:ApplicableCITradeTax[ram:CurrencyCode=/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceCurrencyCode]/ram:CategoryCode

2720

IBT-118

1..1

2

TAX category code

課税分類コード

Coded identification of a TAX category.

消費税の課税分類属性(標準税率、軽減税率など)を識別するためのコード。

/Invoice/cac:TaxTotal[cbc:TaxAmount/@currencyID=/Invoice/cbc:DocumentCurrencyCode]/cac:TaxSubtotal/cac:TaxCategory/cbc:ID

5340

文書ヘッダ

NC57-05

NC57

05

3

1..1

文書ヘッダ課税分類税通貨コード

BBIE

Document_TradeTax

CurrencyCode

Code

「JPY」\n文書通貨コード(UN01005914)の指定と合わせる。文書通貨コードが「外貨」を指定された場合は文書ヘッダ税クラス(外貨建て適格請求書用)とセットで利用する

UN01005842

BBIE

4300

IID260

課税分類税通貨コード

「JPY」\n文書通貨コード(UN01005914)の指定と合わせる。文書通貨コードが「外貨」を指定された場合は文書ヘッダ税クラス(外貨建て適格請求書用)とセットで利用する

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:ApplicableCITradeTax[ram:CurrencyCode=/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceCurrencyCode]/ram:CurrencyCode

2710

1..1

3

Currency Code

/Invoice/cac:TaxTotal[cbc:TaxAmount/@currencyID=/Invoice/cbc:DocumentCurrencyCode]/cac:TaxSubtotal/cbc:TaxAmount/@currencyID

5350

文書ヘッダ

NC57-06

NC57

06

3

0..1

文書ヘッダ課税分類名

BBIE

Document_TradeTax

CategoryName

Text

明細文書の課税分類(標準税率、軽減税率、不課税、非課税、免税等)の名称

UN01005850

BBIE

4310

IID261

文書ヘッダ課税分類名

文書ヘッダの課税分類(標準税率、軽減税率、不課税、非課税、免税等)の名称

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:ApplicableCITradeTax[ram:CurrencyCode=/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceCurrencyCode]/ram:CategoryName

5360

文書ヘッダ

NC57-07

NC57

07

3

1..1

文書ヘッダ税率

BBIE

Document_TradeTax

RateApplicablePercent

Percentage

明細明細文書の課税分類毎の税額計算のための率。

UN01007174

BBIE

4320

IID262

文書ヘッダ税率

文書ヘッダヘッダの課税分類毎の税額計算のための率。

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:ApplicableCITradeTax[ram:CurrencyCode=/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceCurrencyCode]/ram:RateApplicablePercent

2730

IBT-119

0..1

2

TAX category rate

課税分類毎の税率

The TAX rate represented as percentage that applies for the relevant TAX category.

課税分類毎の税額計算のための率。

/Invoice/cac:TaxTotal[cbc:TaxAmount/@currencyID=/Invoice/cbc:DocumentCurrencyCode]/cac:TaxSubtotal/cac:TaxCategory/cbc:Percent

5370

文書ヘッダ

NC57-08

NC57

08

3

1..1

文書ヘッダ課税分類譲渡資産合計金額(税込み)

BBIE

Document_TradeTax

GrandTotalAmount

Amount

明細行の課税分類毎の税額を含む譲渡資産金額の合計金額

UN01013040

BBIE

4330

IID263

文書ヘッダ課税分類譲渡資産合計金額(税込み)

明細行の課税分類毎の税額を含む譲渡資産金額の合計金額

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:ApplicableCITradeTax[ram:CurrencyCode=/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceCurrencyCode]/ram:GrandTotalAmount

5380

文書ヘッダ

NC57-09

NC57

09

3

1..1

文書ヘッダ税計算方式

BBIE

Document_TradeTax

CalculationMethodCode

Code

明細文書の金額の税込み、税抜きを指定。\nデフォルトは「税抜き」

UN01013096

BBIE

4340

IID264

文書ヘッダ税計算方式

文書ヘッダの金額の税込み、税抜きを指定。\nデフォルトは「税抜き」

?

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:ApplicableCITradeTax[ram:CurrencyCode=/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceCurrencyCode]/ram:CalculationMethodCode

5390

文書ヘッダ

NC57-10

NC57

10

3

0..1

文書ヘッダ適用税制識別子

BBIE

Document_TradeTax

LocalTaxSystemID

Code

取引の税制年度を識別するID\nデフォルトは「2019」(2019年度税制)

UN01014650

BBIE

4350

IID265

文書ヘッダ適用税制識別子

取引の税制年度を識別するID\nデフォルトは「2019」(2019年度税制)

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:ApplicableCITradeTax[ram:CurrencyCode=/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:InvoiceCurrencyCode]/ram:LocalTaxSystemID

5400

文書ヘッダ

NC39-NC58

NC39

NC58

2

0..n

文書ヘッダ外貨建て課税分類

ASBIE

InvoiceDocument

AccountingApplicable

__

Accounting_TradeTax

外貨建て請求書の税率別課税分類合計額算出のための税グループ

UN01005996

ASBIE

4360

ICL62

文書ヘッダ決済/税グループ

外貨建て請求書の税率別課税分類合計額算出のための税グループ

1..n

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:ApplicableCITradeTax[ram:CurrencyCode=/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:TaxCurrencyCode]

2770

IBG-38

1..n

2

TAX BREAKDOWN IN ACCOUNTING CURRENCY

会計通貨での税内訳情報

A group of business terms providing information about TAX breakdown by different categories rates and exemption reasons in the invoice accounting currency.

請求書の会計通貨でのさまざまな課税分類、税率、および免税理由による消費税の内訳に関する情報を提供するビジネス用語のグループ。

/Invoice/cac:TaxTotal[cbc:TaxAmount/@currencyID=/Invoice/cbc:TaxCurrencyCode]/cac:TaxSubtotal

5410

文書ヘッダ

NC58-01

NC58

01

3

1..1

文書ヘッダ外貨建て課税分類税額

BBIE

Accounting_TradeTax

CalculatedAmount

Amount

外貨建て請求書の明細文書の課税分類毎に端数処理計算した税額。\n外貨建て請求書の明細文書課税分類資産譲渡合計金額×税率\n算出した税額は切り上げ、切り捨て、四捨五入のいずれかで処理し、税額は整数とする

UN01005833

BBIE

4370

IID256

(外貨建て請求書)文書ヘッダ課税分類税額

外貨建て請求書の文書ヘッダの課税分類毎に端数処理計算した税額。\n外貨建て請求書の文書ヘッダ課税分類資産譲渡合計金額×税率\n算出した税額は切り上げ、切り捨て、四捨五入のいずれかで処理し、税額は整数とする

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:ApplicableCITradeTax[ram:CurrencyCode=/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:TaxCurrencyCode]/ram:CalculatedAmount

2780

IBT-190

0..1

3

TAX category tax amount in accounting currency

会計通貨での課税分類毎の消費税額

The total TAX amount for a given TAX category in the invoice accounting currency.

課税分類での請求書消費税合計の会計通貨での金額。

/Invoice/cac:TaxTotal[cbc:TaxAmount/@currencyID=/Invoice/cbc:TaxCurrencyCode]/cac:TaxSubtotal/cbc:TaxAmount

5420

文書ヘッダ

NC58-02

NC58

02

3

0..1

文書ヘッダ外貨建て課税コード

BBIE

Accounting_TradeTax

TypeCode

Code

UN01005834

BBIE

4380

IID257

(外貨建て請求書)文書ヘッダ課税 コード

税の種類(消費税、所得税など)を識別するコード。デフォルトは消費税

VAT

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:ApplicableCITradeTax[ram:CurrencyCode=/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:TaxCurrencyCode]/ram:TypeCode

2820

1..1

3

Tax Scheme

税スキーマ

A code indicating the type of tax

税の種類を示すコード。VAT固定

VAT

/Invoice/cac:TaxTotal[cbc:TaxAmount/@currencyID=/Invoice/cbc:TaxCurrencyCode]/cac:TaxSubtotal/cac:TaxCategory/cac:TaxScheme/cbc:ID

5430

文書ヘッダ

NC58-03

NC58

03

3

1..1

文書ヘッダ外貨建て課税分類譲渡資産合計金額(税抜き)

BBIE

Accounting_TradeTax

BasisAmount

Amount

明細行の課税分類毎の税抜き譲渡資産金額の合計金額\n明細文書譲渡資産総合計金額(税抜き)=∑明細行譲渡資産金額(税抜き)+Σ明細文書追加請求金額ーΣ明細文書返金金額

UN01005839

BBIE

4390

IID258

(外貨建て請求書)文書ヘッダ課税分類譲渡資産合計金額(税抜き)

明細行の課税分類毎の税抜き譲渡資産金額の合計金額\n文書ヘッダ譲渡資産総合計金額(税抜き)=∑明細行譲渡資産金額(税抜き)+Σ文書ヘッダ追加請求金額ーΣ文書ヘッダ返金金額

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:ApplicableCITradeTax[ram:CurrencyCode=/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:TaxCurrencyCode]/ram:BasisAmount

5440

文書ヘッダ

NC58-04

NC58

04

3

1..1

文書ヘッダ外貨建て課税分類コード

BBIE

Accounting_TradeTax

CategoryCode

Code

外貨建て請求書の明細文書の課税分類(標準税率、軽減税率)を識別するコード

UN01005841

BBIE

4400

IID259

(外貨建て請求書)文書ヘッダ課税分類コード

外貨建て請求書の文書ヘッダの課税分類(標準税率、軽減税率)を識別するコード

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:ApplicableCITradeTax[ram:CurrencyCode=/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:TaxCurrencyCode]/ram:CategoryCode

2800

IBT-192

1..1

3

TAX category code for tax category tax amount in accounting currency

会計通貨での課税分類コード

Coded identification of a TAX category in the invoice accounting currency.

請求書会計通貨での課税分類のコード化された識別子。

/Invoice/cac:TaxTotal[cbc:TaxAmount/@currencyID=/Invoice/cbc:TaxCurrencyCode]/cac:TaxSubtotal/cac:TaxCategory/cbc:ID

5450

文書ヘッダ

NC58-05

NC58

05

3

1..1

文書ヘッダ外貨建て課税分類税通貨コード

BBIE

Accounting_TradeTax

CurrencyCode

Code

’=「外貨」\n文書通貨コード=「外貨」、税通貨コード=[JPY」の場合に利用する’。

UN01005842

BBIE

4410

IID260

(外貨建て請求書)課税分類税通貨コード

’=「外貨」\n文書通貨コード=「外貨」、税通貨コード=[JPY」の場合に利用する’。

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:ApplicableCITradeTax[ram:CurrencyCode=/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:TaxCurrencyCode]/ram:CurrencyCode

2790

1..1

4

Currency Code

/Invoice/cac:TaxTotal[cbc:TaxAmount/@currencyID=/Invoice/cbc:TaxCurrencyCode]/cac:TaxSubtotal/cbc:TaxAmount/@currencyID

5460

文書ヘッダ

NC58-06

NC58

06

3

1..1

文書ヘッダ外貨建て税率

BBIE

Accounting_TradeTax

RateApplicablePercent

Percentage

外貨建て請求書の明細明細文書の課税分類毎の税額計算のための率。

UN01007174

BBIE

4420

IID262

(外貨建て請求書)文書ヘッダ税率

外貨建て請求書の文書ヘッダヘッダの課税分類毎の税額計算のための率。

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:ApplicableCITradeTax[ram:CurrencyCode=/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:ApplicableCIIHSupplyChainTradeSettlement/ram:TaxCurrencyCode]/ram:RateApplicablePercent

2810

IBT-193

0..1

3

TAX category rate for tax category tax amount in accounting currency

会計通貨での課税分類毎の税率

The TAX rate represented as percentage that applies for the relevant TAX category in the invoice accounting currency.

会計通貨での該当する課税分類に適用されるパーセンテージとして表した税率。

/Invoice/cac:TaxTotal[cbc:TaxAmount/@currencyID=/Invoice/cbc:TaxCurrencyCode]/cac:TaxSubtotal/cac:TaxCategory/cbc:Percent

5470

文書ヘッダ

NC39-NC59

NC39

NC59

2

0..n

文書ヘッダ調整

ASBIE

InvoiceDocument

Specified

Code

Document_FinancialAdjustment

文書ヘッダの調整に関するグループ\n調整ユースケースで文書タイプが「統合文書」を指定する場合にこのグループは必須。「単一文書」を指定する場合はこのグループは実装しない。

UN01006003

ASBIE

4790

ICL67

文書ヘッダ決済/調整グループ

文書ヘッダの調整に関するグループ\n調整ユースケースで文書タイプが「統合文書」を指定する場合にこのグループは必須。「単一文書」を指定する場合はこのグループは実装しない。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCIFinancialAdjustment

5480

文書ヘッダ

NC59-01

NC59

01

3

0..1

文書ヘッダ調整理由コード

BBIE

Document_FinancialAdjustment

ReasonCode

Code

文書ヘッダの調整理由を示す識別コード

UN01005488

BBIE

4800

IID282

文書ヘッダ調整理由コード

文書ヘッダの調整理由を示す識別コード

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCIFinancialAdjustment/ram:ReasonCode

5490

文書ヘッダ

NC59-02

NC59

02

3

0..1

文書ヘッダ調整理由

BBIE

Document_FinancialAdjustment

Reason

Text

文書ヘッダの調整理由を文字で表現した内容

UN01005489

BBIE

4810

IID283

文書ヘッダ調整理由

文書ヘッダの調整理由を文字で表現した内容

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCIFinancialAdjustment/ram:Reason

5500

文書ヘッダ

NC59-03

NC59

03

3

1..1

文書ヘッダ調整金額

BBIE

Document_FinancialAdjustment

ActualAmount

Amount

文書ヘッダの調整金額\n’=(修正インボイス明細金額ー前回インボイス明細金額)

UN01005490

BBIE

4820

IID284

文書ヘッダ調整金額

文書ヘッダの調整金額\n’=(修正インボイス明細金額ー前回インボイス明細金額)

0

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCIFinancialAdjustment/ram:ActualAmount

5510

文書ヘッダ

NC59-04

NC59

04

3

1..1

文書ヘッダ調整取引方向コード

BBIE

Document_FinancialAdjustment

DirectionCode

Code

文書ヘッダ調整金額、および税額の+ーを識別するコード\n調整ユースケースでは必須

UN01014649

BBIE

4830

IID285

文書ヘッダ調整取引方向コード

文書ヘッダ調整金額、および税額の+ーを識別するコード\n調整ユースケースでは必須

?

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCIFinancialAdjustment/ram:DirectionCode

5520

文書ヘッダ

NC39-NC60

NC39

NC60

2

0..n

文書ヘッダ調整税

ASBIE

InvoiceDocument

Related

__

DocumentFinancialAdjustment_TradeTax

文書ヘッダの調整税クラスに関するグループ

UN01014897

ASBIE

4840

ICL67

文書ヘッダ調整/調整税グループ

文書ヘッダの調整税クラスに関するグループ

0..n

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCIFinancialAdjustment/ram:RelatedCITradeTax

5530

文書ヘッダ

NC60-01

NC60

01

3

1..1

文書ヘッダ調整税額

BBIE

DocumentFinancialAdjustment_TradeTax

CalculatedAmount

Amount

文書ヘッダの調整税額\n=文書ヘッダ課税分類税額ー文書ヘッダ調整参照文書課税分類税額

UN01005833

BBIE

4850

IID282

文書ヘッダ調整税額

文書ヘッダの調整税額\n=文書ヘッダ課税分類税額ー文書ヘッダ調整参照文書課税分類税額

0

1..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCIFinancialAdjustment/ram:RelatedCITradeTax/ram:CalculatedAmount

5540

文書ヘッダ

NC60-02

NC60

02

3

1..1

文書ヘッダ調整税率

BBIE

DocumentFinancialAdjustment_TradeTax

CalculatedRate

Percentage

文書ヘッダ調整の税率

UN01005836

BBIE

4870

IID283

文書ヘッダ調整税率

文書ヘッダ調整の税率

0

1..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCIFinancialAdjustment/ram:RelatedCITradeTax/ram:RateApplicablePercent

5550

文書ヘッダ

NC60-03

NC60

03

3

1..1

文書ヘッダ調整課税分類コード

BBIE

DocumentFinancialAdjustment_TradeTax

CategoryCode

Code

文書ヘッダ調整の課税分類コード

UN01005841

BBIE

4860

IID284

文書ヘッダ調整課税分類コード

文書ヘッダ調整の課税分類コード

?

1..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SpecifiedCIILSupplyChainTradeSettlement/ram:SpecifiedCIFinancialAdjustment/ram:RelatedCITradeTax/ram:CategoryCode

5560

明細行

NC39-NC61

NC39

NC61

2

1..n

明細行

ASBIE

InvoiceDocument

Subordinate

__

InvoiceLineItem

明細行に関する情報からなるクラス

UN01009669

ASBIE

5130

ICL73

請求文書ヘッダ/明細行グループ

明細行に関する情報からなるクラス

1..n

4

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem

2910

IBG-25

1..n

1

INVOICE LINE

請求書明細行

A group of business terms providing information on individual Invoice lines.

請求書明細行に関する情報を提供するビジネス用語のグループ。

/Invoice/cac:InvoiceLine

5570

明細行

NC61-01

NC61

01

3

1..1

明細行番号

BBIE

InvoiceLineItem

ID

Identifier

この文書の明細行に関する情報を特定するために付与した行番号。明細行をユニークに識別するために付番する場合は文書番号との複合キーで明細行を特定する。

UN01009648

BBIE

5140

IID313

明細行番号

この文書の明細行に関する情報を特定するために付与した行番号。明細行をユニークに識別するために付番する場合は文書番号との複合キーで明細行を特定する。

1..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:ID

2920

IBT-126

1..1

2

Invoice line identifier

請求書明細行ID

A unique identifier for the individual line within the Invoice.

この請求書内で個々の明細行を一意に識別するためのID。

/Invoice/cac:InvoiceLine/cbc:ID

5580

明細行

NC61-02

NC61

02

3

0..1

明細行類型コード

BBIE

InvoiceLineItem

CategoryCode

Code

この明細行の取引類型(資産譲渡、返金・追加請求、調整等)を識別するコード。\n=101:資産譲渡(デフォルト)\n=102:返金\n=103:追加請求\n=104:調整(修正差月請求)

UN01014637

BBIE

5150

IID314

明細行類型コード

この明細行の取引類型(資産譲渡、返金・追加請求、調整等)を識別するコード。\n=101:資産譲渡(デフォルト)\n=102:返金\n=103:追加請求\n=104:調整(修正差月請求)

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:CategoryCode

5590

明細行

NC61-03

NC61

03

3

1..1

明細行課税分類譲渡資産金額税抜き

BBIE

InvoiceLineItem

BasisAmount

Amount

この明細行の課税分類(明細行課税分類コード/税率)毎の税抜き譲渡資産金額(契約単価×請求数量)\n契約単価×数量で指定できない場合は金額

UN01005839

BBIE

5530

IID356

明細行課税分類譲渡資産金額(税抜き)

この明細行の課税分類(明細行課税分類コード/税率)毎の税抜き譲渡資産金額(契約単価×請求数量)\n契約単価×数量で指定できない場合は金額

1..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:ApplicableCITradeTax/ram:BasisAmount

2980

IBT-131

1..1

2

Invoice line net amount

値引後請求書明細行金額(税抜き)

The total amount of the Invoice line (before tax).

値引後の請求書明細行の合計金額(税抜き)。

/Invoice/cac:InvoiceLine/cbc:LineExtensionAmount

5600

明細行

NC61-04

NC61

04

3

0..1

明細行課税分類譲渡資産金額税込み

BBIE

InvoiceLineItem

GrandTotalAmount

Amount

この明細行の課税分類毎の税額を含む譲渡資産金額

UN01013040

BBIE

5570

IID360

明細行課税分類譲渡資産金額(税込み)

この明細行の課税分類毎の税額を含む譲渡資産金額

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:ApplicableCITradeTax/ram:GrandTotalAmount

2990

IBT-201

0..1

2

Tax inclusive line net amount (UBL 2.3)

値引後請求書明細行金額(税込み)

The total amount of the Invoice line (after tax).

値引後の請求書明細行の合計金額(税込み)。

/Invoice/cac:InvoiceLine/cbc:TaxInclusiveLineExtensionAmount

5610

明細行

明細行の決済入に関する情報からなるクラス

UN01009651

ASBIE

5490

ICL82

明細行/決裁グループ

明細行の決済入に関する情報からなるクラス

1..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement

5620

明細行

NC61-05

NC61

05

3

1..1

明細行取引方向コード

BBIE

InvoiceLineItem

SettlementDirectionCode

Code

明細行の取引方向を識別するコード\nデフォルトは「プラス」\n明細行取引類型コードが「返金・追加請求」「調整」を指定場合に利用する。\n金額の「プラス」「マイナス」表示を許容する場合は実装しない。

UN01014641

BBIE

5500

IID354

明細行取引方向コード

明細行の取引方向を識別するコード\nデフォルトは「プラス」\n明細行取引類型コードが「返金・追加請求」「調整」を指定場合に利用する。\n金額の「プラス」「マイナス」表示を許容する場合は実装しない。

?

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:DirectionCode

5630

明細行

NC61-NC62

NC61

NC62

3

1..1

明細行取引期間

ASBIE

InvoiceLineItem

Billing

__

LineItem_SpecifiedPeriod

明細行の取引期間に関する情報からなるクラス

UN01014894

ASBIE

5880

ICL88

明細行/取引期間グループ

明細行の取引期間に関する情報からなるクラス

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:BillingCISpecifiedPeriod

3020

IBG-26

0..1

2

INVOICE LINE PERIOD

請求書明細行の期間

A group of business terms providing information about the period relevant for the Invoice line.

請求書明細行に関連する期間に関する情報

/Invoice/cac:InvoiceLine/cac:InvoicePeriod

5640

明細行

NC62-01

NC62

01

4

1..1

明細行取引開始日

BBIE

LineItem_SpecifiedPeriod

StartDateTime

Date

この明細行の取引開始日

UN01005612

BBIE

5890

IID385

明細行取引開始日

この明細行の取引開始日

1..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:BillingCISpecifiedPeriod/ram:StartDateTime/udt:DateTimeString

3030

IBT-134

0..1

3

Invoice line period start date

請求書明細行の期間開始日

The date when the Invoice period for this Invoice line starts.

請求書明細行の請求期間が開始する日付

/Invoice/cac:InvoiceLine/cac:InvoicePeriod/cbc:StartDate

5650

明細行

NC62-02

NC62

02

4

1..1

明細行取引終了日

BBIE

LineItem_SpecifiedPeriod

EndDateTime

Date

この明細行の取引終了日

UN01005613

BBIE

5910

IID386

明細行取引終了日

この明細行の取引終了日

1..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:BillingCISpecifiedPeriod/ram:EndDateTime/udt:DateTimeString

3040

IBT-135

0..1

3

Invoice line period end date

請求書明細行の期間終了日

The date when the Invoice period for this Invoice line ends.

請求書明細行の請求期間が終了する日付

/Invoice/cac:InvoiceLine/cac:InvoicePeriod/cbc:EndDate

5660

明細行

NC61-NC63

NC61

NC63

3

0..1

明細行配送

ASBIE

InvoiceLineItem

Specified

__

LineItem_Delivery

明細行の納入に関する情報からなるクラス

UN01009650

ASBIE

5430

ICL81

明細行/配送グループ

明細行の納入に関する情報からなるクラス

1..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeDelivery

2950

0..0

/Invoice/cac:InvoiceLine

5670

明細行

NC63-01

NC63

01

4

0..1

セット数量

BBIE

LineItem_Delivery

PackageQuantity

Quantity

この明細行品目がセットで請求された場合のセット数量\n流通業の固有仕様

UN01009660

BBIE

5440

IID349

セット数量

この明細行品目がセットで請求された場合のセット数量\n流通業の固有仕様

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeDelivery/ram:PackageQuantity

5680

明細行

NC63-02

NC63

02

4

0..1

バラ数量

BBIE

LineItem_Delivery

ProductUnitQuantity

Quantity

この明細行品目が単体(バラ)で請求された場合の数量\n流通業の固有仕様

UN01009661

BBIE

5450

IID350

バラ数量

この明細行品目が単体(バラ)で請求された場合の数量\n流通業の固有仕様

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeDelivery/ram:ProductUnitQuantity

5690

明細行

NC63-03

NC63

03

4

0..1

セット単位数量入り数

BBIE

LineItem_Delivery

PerPackageUnitQuantity

Quantity

●定貫品目の数量単位指定が「セット」の場合:1セット当たりのバラ数量。\n●定貫品目の数量単位指定が「個」の場合:利用しない\n●不定貫品目の数量単位指定の場合:\n 利用しない。\n●ハイブリッド品目の場合:指定した定貫品目数量単位の1単位当たりの重量等

UN01009662

BBIE

5460

IID351

セット単位数量(入り数)

●定貫品目の数量単位指定が「セット」の場合:1セット当たりのバラ数量。\n●定貫品目の数量単位指定が「個」の場合:利用しない\n●不定貫品目の数量単位指定の場合:\n 利用しない。\n●ハイブリッド品目の場合:指定した定貫品目数量単位の1単位当たりの重量等

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeDelivery/ram:PerPackageUnitQuantity

5700

明細行

NC63-04

NC63

04

4

1..1

請求数量

BBIE

LineItem_Delivery

BilledQuantity

Quantity

この明細行品目のバラ請求数量、またはセット請求数量。\nバラ、セットの区分は数量単位コードで指定する\n流通業取引では利用せず、「セット数量」「バラ数量」情報項目を利用する

UN01014639

BBIE

5470

IID352

請求数量

この明細行品目のバラ請求数量、またはセット請求数量。\nバラ、セットの区分は数量単位コードで指定する\n流通業取引では利用せず、「セット数量」「バラ数量」情報項目を利用する

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeDelivery/ram:BilledQuantity

2960

IBT-129

1..1

2

Invoiced quantity

請求する数量

The quantity of items (goods or services) that is charged in the Invoice line.

請求書明細行で請求する品目(財又はサービス)の数量。

/Invoice/cac:InvoiceLine/cbc:InvoicedQuantity

5710

明細行

NC63-05

NC63

05

4

0..1

数量単位コード

BBIE

LineItem_Delivery

UnitCode

Code

数量単位のコード名

5480

数量単位コード

数量単位のコード名

0.1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeDelivery/ram:BilledQuantity/@unitCode

2970

IBT-130

1..1

2

Invoiced quantity unit of measure code

請求する数量の数量単位コード

The unit of measure that applies to the invoiced quantity.

請求数量に適用する数量単位コード。

/Invoice/cac:InvoiceLine/cbc:InvoicedQuantity/@unitCode

5720

明細行

NC61-NC64

NC61

NC64

3

0..1

明細行購買会計アカウント

ASBIE

InvoiceLineItem

PurchaseSpecified

__

LineItem_AccountingAccount

この明細行の購買会計アカウントに関するグループ

JPS2300005

ASBIE

5920

ICL89

明細行/購買アカウントグループ

この明細行の購買会計アカウントに関するグループ

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:PurchaseSpecifiedCITradeAccountingAccount

3000

0..0

/Invoice/cac:InvoiceLine

5730

明細行

NC64-01

NC64

01

4

0..1

明細行購買会計アカウントタイプコード

BBIE

LineItem_AccountingAccount

TypeCode

Code

売り手が付与する買い手の明細行購買会計アカウント

UN01005683

BBIE

5930

IID387

明細行購買会計アカウントタイプコード

売り手が付与する買い手の明細行購買会計アカウント

?

1..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:PurchaseSpecifiedCITradeAccountingAccount/ram:TypeCode

5740

明細行

NC64-02

NC64

02

4

1..1

明細行購買会計アカウント名

BBIE

LineItem_AccountingAccount

Name

Text

買い手の明細行購買会計アカウント名

UN01005685

BBIE

5940

IID388

明細行購買会計アカウント名

買い手の明細行購買会計アカウント名

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:PurchaseSpecifiedCITradeAccountingAccount/ram:Name

3010

IBT-133

0..1

2

Invoice line Buyer accounting reference

請求書明細行買い手会計参照

A textual value that specifies where to book the relevant data into the Buyer’s financial accounts.

請求書明細行に関連したデータを買い手のどの勘定科目で記帳するかを指定するテキスト。

/Invoice/cac:InvoiceLine/cbc:AccountingCost

5750

明細行

NC61-NC65

NC61

NC65

3

0..n

明細行注釈

ASBIE

InvoiceLineItem

Included

__

LineItem_Note

明細行の注釈に関するグループ

JPS2300004

ASBIE

5160

ICL74

明細行/注釈グループ

明細行の注釈に関するグループ

0..n

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:IncludedCINote

2930

0..0

/Invoice/cac:InvoiceLine

5760

明細行

NC65-01

NC65

01

4

0..1

明細行注釈表題

BBIE

LineItem_Note

Subject

Text

明細行の注釈内容の表題を示す。

UN01005558

BBIE

5170

IID315

明細行注釈表題

明細行の注釈内容の表題を示す。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:IncludedCINote/ram:Subject

5770

明細行

NC65-02

NC65

02

4

0..1

明細行注釈内容

BBIE

LineItem_Note

Content

Text

明細行の注釈表題毎の内容情報を入力するフリースペース。

UN01005560

BBIE

5180

IID316

明細行注釈内容

明細行の注釈表題毎の内容情報を入力するフリースペース。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:IncludedCINote/ram:Content

2940

IBT-127

0..1

2

Invoice line note

請求書明細行注釈

A textual note that gives unstructured information that is relevant to the Invoice line.

請求書明細行に関連する構造化されていない情報を提供するためのテキスト、注釈。

/Invoice/cac:InvoiceLine/cbc:Note

5780

明細行

NC65-03

NC65

03

4

0..1

明細行注釈識別子

BBIE

LineItem_Note

ID

Code

明細行注釈の識別番号

UN01005562

BBIE

5190

IID317

明細行注釈識別子

明細行注釈の識別番号

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:IncludedCINote/ram:ID

5790

明細行

NC61-NC66

NC61

NC66

3

0..1

明細行参照受注書

ASBIE

InvoiceLineItem

SellerOrderReferenced

__

LineItemSellerOrder_ReferencedDocument

明細行の参照受注書クラス

UN01009654

ASBIE

5200

ICL75

明細行契約/明細行参照受注書グループ

明細行の参照受注書クラス

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeAgreement/ram:SellerOrderReferencedCIReferencedDocument

5800

明細行

NC66-01

NC66

01

4

1..1

明細行参照受注書番号

BBIE

LineItemSellerOrder_ReferencedDocument

IssuerAssignedID

Document Reference

この明細行が参照する受注書に記載の文書番号

UN01005580

BBIE

5210

IID318

(明細行参照)受注書番号

この明細行が参照する受注書に記載の文書番号

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeAgreement/ram:SellerOrderReferencedCIReferencedDocument/ram:IssuerAssignedID

5810

明細行

NC66-02

NC66

02

4

0..1

明細行参照受注書明細行番号

BBIE

LineItemSellerOrder_ReferencedDocument

LineID

Code

この明細行が参照する受注書に記載の明細行番号

UN01005585

BBIE

5220

IID319

(明細行参照)受注書明細行番号

この明細行が参照する受注書に記載の明細行番号

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeAgreement/ram:SellerOrderReferencedCIReferencedDocument/ram:LineID

5820

明細行

NC66-03

NC66

03

4

0..1

明細行参照受注書履歴番号

BBIE

LineItemSellerOrder_ReferencedDocument

RevisionID

Code

この明細行が参照する受注書の変更履歴を管理する番号。

UN01005588

BBIE

5230

IID320

(明細行参照)受注書履歴番号

この明細行が参照する受注書の変更履歴を管理する番号。

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeAgreement/ram:SellerOrderReferencedCIReferencedDocument/ram:RevisionID

5830

明細行

NC66-04

NC66

04

4

1..1

明細行参照文書タイプコード

BBIE

LineItemSellerOrder_ReferencedDocument

TypeCode

Code

この明細行が参照する文書のタイプを識別するコード。デフォルトは納品書

UN01009672

BBIE

5240

IID328

(明細行参照)文書タイプコード

この明細行が参照する文書のタイプを識別するコード。デフォルトは納品書

?

1..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeAgreement/ram:SellerOrderReferencedCIReferencedDocument/ram:TypeCode

5840

明細行

NC61-NC67

NC61

NC67

3

0..1

明細行参照注文書

ASBIE

InvoiceLineItem

BuyerOrderReferenced

__

LineItemBuyerOrder_ReferencedDocument

明細行の参照注文書クラス

UN01009655

ASBIE

5250

ICL76

明細行契約/明細行参照注文書グループ

明細行の参照注文書クラス

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeAgreement/ram:BuyerOrderReferencedCIReferencedDocument

3050

0..1

/Invoice/cac:InvoiceLine/cac:OrderLineReference

5850

明細行

NC67-01

NC67

01

4

1..1

明細行参照注文書番号

BBIE

LineItemBuyerOrder_ReferencedDocument

IssuerAssignedID

Document Reference

この明細行が参照する注文書に記載の文書番号

UN01005580

BBIE

5260

IID321

(明細行参照)注文書番号

この明細行が参照する注文書に記載の文書番号

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeAgreement/ram:BuyerOrderReferencedCIReferencedDocument/ram:IssuerAssignedID

3070

IBT-183

0..1

2

Purchase order reference

購買発注書参照

An identifier for a referenced purchase order issued by the Buyer.

買い手が付番した発注番号を参照するためのID。

/Invoice/cac:InvoiceLine/cac:OrderLineReference/cac:OrderReference/cbc:ID

5860

明細行

NC67-02

NC67

02

4

0..1

明細行参照注文書明細行番号

BBIE

LineItemBuyerOrder_ReferencedDocument

LineID

Document Reference

この明細行が参照する注文書に記載の明細行番号

UN01005585

BBIE

5270

IID322

(明細行参照)注文書明細行番号

この明細行が参照する注文書に記載の明細行番号

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeAgreement/ram:BuyerOrderReferencedCIReferencedDocument/ram:LineID

3060

IBT-132

0..1

2

Referenced purchase order line reference

購買発注明細行参照

An identifier for a referenced line within a purchase order issued by the Buyer.

買い手が付番した発注書内の明細行を参照するためのID。

/Invoice/cac:InvoiceLine/cac:OrderLineReference/cbc:LineID

5870

明細行

NC67-03

NC67

03

4

0..1

明細行参照注文書履歴番号

BBIE

LineItemBuyerOrder_ReferencedDocument

RevisionID

Code

この明細行が参照する注文書の変更履歴を管理する番号。

UN01005588

BBIE

5280

IID323

(明細行参照)注文書履歴番号

この明細行が参照する注文書の変更履歴を管理する番号。

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeAgreement/ram:BuyerOrderReferencedCIReferencedDocument/ram:RevisionID

5880

明細行

NC67-04

NC67

04

4

1..1

明細行参照文書タイプコード

BBIE

LineItemBuyerOrder_ReferencedDocument

TypeCode

Code

この明細行が参照する文書のタイプを識別するコード。デフォルトは納品書

UN01009672

BBIE

5290

IID328

(明細行参照)文書タイプコード

この明細行が参照する文書のタイプを識別するコード。デフォルトは納品書

?

1..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeAgreement/ram:BuyerOrderReferencedCIReferencedDocument/ram:TypeCode

5890

明細行

NC61-NC68

NC61

NC68

3

0..n

明細行参照文書

ASBIE

InvoiceLineItem

AdditionalReferenced

__

LineItemAdditional_ReferencedDocument

明細行の参照文書クラス

UN01009656

ASBIE

5300

ICL77

明細行契約/明細行参照文書グループ

明細行の参照文書クラス

0..n

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeAgreement/ram:AdditionalReferencedCIReferencedDocument

3150

ibg-36

0..1

2

LINE DOCUMENT REFERENCE

明細行文書参照

An identifier for an object on which the invoice line is based given by the Seller.

売り手によって指定された、請求書の明細行の請求の根拠となっているオブジェクトの識別子。

/Invoice/cac:InvoiceLine/cac:DocumentReference[not(cbc:DocumentTypeCode=’130′)]

5900

明細行

NC68-01

NC68

01

4

1..1

明細行参照文書番号

BBIE

LineItemAdditional_ReferencedDocument

IssuerAssignedID

Document Reference

この明細行が参照する文書に記載の文書番号。\n補完納品書の場合は必須

UN01005580

BBIE

5310

IID324

(明細行参照)文書番号

この明細行が参照する文書に記載の文書番号。\n補完納品書の場合は必須

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeAgreement/ram:AdditionalReferencedCIReferencedDocument/ram:IssuerAssignedID

3160

ibt-188

1..1

3

Invoice line document identifier

明細行文書ID

An identifiers for a document that the invoice line referes to.

請求書明細行が参照する文書のID

/Invoice/cac:InvoiceLine/cac:DocumentReference[not(cbc:DocumentTypeCode=’130′)]/cbc:ID

5910

明細行

NC68-02

NC68

02

4

0..1

明細行参照文書明細行番号

BBIE

LineItemAdditional_ReferencedDocument

LineID

Code

この明細行が参照する文書に記載の文書明細行番号。デフォルトは納品書

UN01005585

BBIE

5320

IID325

(明細行参照)文書明細行番号

この明細行が参照する文書に記載の文書明細行番号。デフォルトは納品書

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeAgreement/ram:AdditionalReferencedCIReferencedDocument/ram:LineID

5920

明細行

NC68-03

NC68

03

4

0..1

明細行参照文書参照タイプコード

BBIE

LineItemAdditional_ReferencedDocument

ReferenceTypeCode

Code

UN01005586

BBIE

5330

(明細行参照)文書参照タイプコード

この明細行が参照する文書の参照タイプを識別するコード。\nデフォルト属性=null

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeAgreement/ram:AdditionalReferencedCIReferencedDocument/ram:ReferenceTypeCode

5930

明細行

NC68-04

NC68

04

4

0..1

明細行参照文書履歴番号

BBIE

LineItemAdditional_ReferencedDocument

RevisionID

Code

この明細行が参照する文書の変更履歴を管理する番号。

UN01005588

BBIE

5340

IID327

(明細行参照)文書履歴番号

この明細行が参照する文書の変更履歴を管理する番号。

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeAgreement/ram:AdditionalReferencedCIReferencedDocument/ram:RevisionID

5940

明細行

NC68-05

NC68

05

4

1..1

明細行参照文書タイプコード

BBIE

LineItemAdditional_ReferencedDocument

TypeCode

Code

この明細行が参照する文書のタイプを識別するコード。デフォルトは納品書

UN01009672

BBIE

5350

IID328

(明細行参照)文書タイプコード

この明細行が参照する文書のタイプを識別するコード。デフォルトは納品書

?

1..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeAgreement/ram:AdditionalReferencedCIReferencedDocument/ram:TypeCode

3170

IBT-189

0..1

3

Document type code

文書タイプコード

A code that qualifies the type of the document that is referenced.

参照する文書の種類を規定するコード

/Invoice/cac:InvoiceLine/cac:DocumentReference[not(cbc:DocumentTypeCode=’130′)]/cbc:DocumentTypeCode

5950

明細行

NC68-06

NC68

06

4

0..1

明細行参照文書添付ファイル

BBIE

LineItemAdditional_ReferencedDocument

AttachmentBinaryObject

Code

この明細行が参照する文書の添付バイナリファイルの有無を識別するコード\nなしの場合はNULL(デファクト)\nありの場合はヘッダの添付バイナリファイル識別子(UN01006015)を指定する。

UN01011455

BBIE

5360

IID329

(明細行参照)文書添付ファイル

この明細行が参照する文書の添付バイナリファイルの有無を識別するコード\nなしの場合はNULL(デファクト)\nありの場合はヘッダの添付バイナリファイル識別子(UN01006015)を指定する。

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeAgreement/ram:AdditionalReferencedCIReferencedDocument/ram:AttachmentBinaryObject

5960

明細行

NC68-07

NC68

07

4

1..1

明細行参照文書サブタイプコード

BBIE

LineItemAdditional_ReferencedDocument

SubtypeCode

Code

この明細行が参照する文書のタイプを識別するコード。デフォルトは納品書

UN01014899

BBIE

5370

IID330

(明細行参照)文書サブタイプコード

この明細行が参照する文書のタイプを識別するコード。デフォルトは納品書

?

1..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeAgreement/ram:AdditionalReferencedCIReferencedDocument/ram:SubtypeCode

5970

明細行

NC61-NC69

NC61

NC69

3

0..n

請求書明細行オブジェクト

ASBIE

InvoiceLineItem

InvoiceObjectReferenced

__

LineItemObject_ReferencedDocument

UN01014642

ASBIE

5580

ICL84

明細行決済/参照インボイス文書グループ

明細行が参照するインボイス文書(業界EDI電子インボイス等)に関するグループ

0..n

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:InvoiceReferencedCIReferencedDocument

3110

0..1

/Invoice/cac:InvoiceLine/cac:DocumentReference[cbc:DocumentTypeCode=’130′]

5980

明細行

NC69-01

NC69

01

4

1..1

請求書明細行オブジェクトID

BBIE

LineItemObject_ReferencedDocument

ObjectID

Document Reference

UN01005580

BBIE

5590

IID362

(明細行参照)インボイス文書番号

この明細行が参照するインボイス文書の番号

?

1..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:InvoiceReferencedCIReferencedDocument/ram:IssuerAssignedID

3120

ibt-128

1..1

2

Invoice line object identifier

請求書明細行オブジェクトID

An identifier for an object on which the invoice line is based given by the Seller.

売り手によって提供された、請求書明細行の根拠となるオブジェクトのID。(注:必要に応じて、予約番号、電話番号、メーターポイントなどを指定できる。)

/Invoice/cac:InvoiceLine/cac:DocumentReference[cbc:DocumentTypeCode=’130′]/cbc:ID

5990

明細行

NC69-02

NC69

02

4

0..1

請求書明細行オブジェクトIDスキーマID

BBIE

LineItemObject_ReferencedDocument

ObjectIDSchemeID

Code

3140

ibt-128-1

0..1

3

Invoice line object identifier Scheme identifier

スキーマID

An identifiers for a document that the invoice line referes to.

請求書が参照する文書を識別するためのスキーマID。注:受信者にどのスキーマを使用したか明らかにしていない場合は、UNTDID 1153 code list から選択した、スキーマIDを使用しなければならない。

/Invoice/cac:InvoiceLine/cac:DocumentReference[cbc:DocumentTypeCode=’130′]/cbc:ID/@schemeID

6000

明細行

NC69-03

NC69

03

4

1..1

文書タイプコード

BBIE

LineItemObject_ReferencedDocument

TypeCode

Code

UN01009672

BBIE

5600

IID367

(明細行参照)文書タイプコード

この明細行が参照するインボイス文書のタイプを識別するコード

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:InvoiceReferencedCIReferencedDocument/ram:TypeCode

3130

1..1

130

/Invoice/cac:InvoiceLine/cac:DocumentReference/cbc:DocumentTypeCode

6010

明細行

NC61-NC70

NC61

NC70

3

0..n

明細行参照インボイス文書

ASBIE

InvoiceLineItem

InvoiceReferenced

__

LineItemInvoice_ReferencedDocument

明細行が参照するインボイス文書(業界EDI電子インボイス等)に関するグループ

UN01014642

ASBIE

5610

ICL84

明細行決済/参照インボイス文書グループ

明細行が参照するインボイス文書(業界EDI電子インボイス等)に関するグループ

0..n

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:InvoiceReferencedCIReferencedDocument

3080

0..n

/Invoice/cac:InvoiceLine/cac:DespatchLineReference

6020

明細行

NC70-01

NC70

01

4

1..1

明細行参照インボイス文書番号

BBIE

LineItemInvoice_ReferencedDocument

IssuerAssignedID

Document Reference

この明細行が参照するインボイス文書の番号

UN01005580

BBIE

5620

IID362

(明細行参照)インボイス文書番号

この明細行が参照するインボイス文書の番号

?

1..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:InvoiceReferencedCIReferencedDocument/ram:IssuerAssignedID

3090

1..1

NA

/Invoice/cac:InvoiceLine/cac:DespatchLineReference/cbc:LineID

6030

明細行

NC70-02

NC70

02

4

0..1

明細行参照インボイス文書発行日

BBIE

LineItemInvoice_ReferencedDocument

IssueDateTime

Date

この明細行が参照するインボイス文書の発行日

UN01005582

BBIE

5630

IID363

(明細行参照)インボイス文書発行日

この明細行が参照するインボイス文書の発行日

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:InvoiceReferencedCIReferencedDocument/ram:IssueDateTime/udt:DateTimeString

6040

明細行

NC70-03

NC70

03

4

1..1

明細行参照インボイス文書ヘッダ番号

BBIE

LineItemInvoice_ReferencedDocument

LineID

Code

この明細行が参照するインボイス文書の明細文書番号

UN01005585

BBIE

5640

IID364

(明細行参照)インボイス明細文書番号

この明細行が参照するインボイス文書の明細文書番号

?

1..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:InvoiceReferencedCIReferencedDocument/ram:LineID

6050

明細行

NC70-04

NC70

04

4

0..1

明細行参照インボイス文書履歴番号

BBIE

LineItemInvoice_ReferencedDocument

RevisionID

Code

この明細行が参照するインボイス文書の変更履歴を管理する番号。

UN01005588

BBIE

5650

IID365

(明細行参照)インボイス文書履歴番号

この明細行が参照するインボイス文書の変更履歴を管理する番号。

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:InvoiceReferencedCIReferencedDocument/ram:RevisionID

6060

明細行

NC70-05

NC70

05

4

0..1

明細行参照インボイス文書情報

BBIE

LineItemInvoice_ReferencedDocument

Information

Text

この明細行が参照するインボイス文書に記載の情報

UN01006415

BBIE

5660

IID366

(明細行参照)インボイス文書情報

この明細行が参照するインボイス文書に記載の情報

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:InvoiceReferencedCIReferencedDocument/ram:Information

6070

明細行

NC70-06

NC70

06

4

0..1

明細行参照文書タイプコード

BBIE

LineItemInvoice_ReferencedDocument

TypeCode

Code

この明細行が参照するインボイス文書のタイプを識別するコード

UN01009672

BBIE

5670

IID367

(明細行参照)文書タイプコード

この明細行が参照するインボイス文書のタイプを識別するコード

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:InvoiceReferencedCIReferencedDocument/ram:TypeCode

6080

明細行

NC70-07

NC70

07

4

1..1

明細行参照インボイス明細行番号

BBIE

LineItemInvoice_ReferencedDocument

SubordinateLineID

Code

この明細行が参照するインボイスの明細行番号

UN01012923

BBIE

5680

IID368

(明細行参照)インボイス明細行番号

この明細行が参照するインボイスの明細行番号

?

1..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:InvoiceReferencedCIReferencedDocument/ram:SubordinateLineID

3100

IBT-184

1..1

2

Despatch advice reference

出荷案内書参照

An identifier for a referenced despatch advice.

この請求書が参照する出荷案内書を参照するためのID。

/Invoice/cac:InvoiceLine/cac:DespatchLineReference/cac:DocumentReference/cbc:ID

6090

明細行

NC70-08

NC70

08

4

0..1

明細行参照文書サブタイプコード

BBIE

LineItemInvoice_ReferencedDocument

SubtypeCode

Code

この明細行が参照する文書のサブタイプコード

UN01014899

BBIE

5690

IID369

(明細行参照)文書サブタイプコード

この明細行が参照する文書のサブタイプコード

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:InvoiceReferencedCIReferencedDocument/ram:SubtypeCode

6100

明細行

NC61-NC71

NC61

NC71

3

1..1

明細行税

ASBIE

InvoiceLineItem

Applicable

__

LineItem_TradeTax

明細行の税に関する情報に関するクラス

UN01009665

ASBIE

5510

ICL83

明細行決済/明細行税グループ

明細行の税に関する情報に関するクラス

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:ApplicableCITradeTax

3430

IBG-30

1..n

2

LINE TAX INFORMATION

請求書明細行税情報

A group of business terms providing information about the TAX applicable for the goods and services invoiced on the Invoice line.

請求書明細行で請求する財又はサービスに適用される消費税に係る情報を提供するビジネス用語のグループ。

/Invoice/cac:InvoiceLine/cac:Item/cac:ClassifiedTaxCategory

6110

明細行

NC71-01

NC71

01

4

0..1

明細行課税コード

BBIE

LineItem_TradeTax

TypeCode

Code

適格請求書発行事業者の課税区分を識別するコード

UN01005834

BBIE

5520

IID355

明細行課税コード

税の種類(消費税、所得税など)を識別するコード。デフォルトは消費税

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:ApplicableCITradeTax/ram:TypeCode

3460

IBT-167

1..1

3

Tax Scheme

税スキーマ

A code indicating the type of tax

税の種類を示すコード。VAT固定

/Invoice/cac:InvoiceLine/cac:Item/cac:ClassifiedTaxCategory/cac:TaxScheme/cbc:ID

6120

明細行

NC71-02

NC71

02

4

1..1

明細行課税分類コード

BBIE

LineItem_TradeTax

CategoryCode

Code

この明細行の消費税の課税分類(標準税率、軽減税率、不課税、非課税、免税等)を識別するコード

UN01005841

BBIE

5540

IID357

明細行課税分類コード

この明細行の消費税の課税分類(標準税率、軽減税率、不課税、非課税、免税等)を識別するコード

1..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:ApplicableCITradeTax/ram:CategoryCode

3440

IBT-151

1..1

3

Invoiced item TAX category code

請求する品目に対する課税分類コード

The TAX category code for the invoiced item.

請求する品目に対して適用される課税分類コード。

/Invoice/cac:InvoiceLine/cac:Item/cac:ClassifiedTaxCategory/cbc:ID

6130

明細行

NC71-03

NC71

03

4

0..1

明細行課税分類名

BBIE

LineItem_TradeTax

CategoryName

Text

消費税の課税分類(標準税率、軽減税率、不課税、非課税、免税等)の名称

UN01005850

BBIE

5550

IID358

明細行課税分類名

消費税の課税分類(標準税率、軽減税率、不課税、非課税、免税等)の名称

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:ApplicableCITradeTax/ram:CategoryName

6140

明細行

NC71-04

NC71

04

4

0..1

明細行税率

BBIE

LineItem_TradeTax

RateApplicablePercent

Percentage

この明細行の課税分類区分を識別するため、明細行課税分類コードと組み合わせて利用する。

UN01007174

BBIE

5560

IID359

明細行税率

この明細行の課税分類区分を識別するため、明細行課税分類コードと組み合わせて利用する。

1..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:ApplicableCITradeTax/ram:RateApplicablePercent

3450

IBT-152

0..1

3

Invoiced item TAX rate

請求する品目に対する税率

The TAX rate represented as percentage that applies to the invoiced item.

請求する品目に対して適用される税率で、パーセントで表現。

/Invoice/cac:InvoiceLine/cac:Item/cac:ClassifiedTaxCategory/cbc:Percent

6150

明細行

NC71-05

NC71

05

4

0..1

明細行適用税制識別子

BBIE

LineItem_TradeTax

LocalTaxSystemID

Code

この明細行取引の税制年度を識別するID\nデフォルトは「2019」(2019年度税制)

UN01014650

BBIE

5900

IID361

明細行適用税制識別子

この明細行取引の税制年度を識別するID\nデフォルトは「2019」(2019年度税制)

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:ApplicableCITradeTax/ram:LocalTaxSystemID

6160

明細行

NC61-NC72

NC61

NC72

3

0..n

明細行返金

ASBIE

InvoiceLineItem

Allowance

__

LineItem_Allowance

明細行返金のクラス

UN01014644

ASBIE

5700

ICL85

明細行決裁/返金グループ

明細行の返金に関するグループ\n(金額にマイナスを許容する場合は使用しない)

0..n

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=false()]

3180

IBG-27

0..n

2

INVOICE LINE ALLOWANCES

請求書明細行の返金

A group of business terms providing information about allowances applicable to the individual Invoice line.

請求書明細行に適用される返金に関する情報を提供するビジネス用語のグループ。

/Invoice/cac:InvoiceLine/cac:AllowanceCharge[cbc:ChargeIndicator=false()]

6170

明細行

NC72-01

NC72

01

4

1..1

明細行追加請求フラグ

BBIE

LineItem_Allowance

ChargeIndicator

Indicator

この明細行が追加請求(チャージ)か識別する識別子。\n固定値 fault=Allowance

UN01005707

BBIE

5710

IID370

明細行返金・追加請求識別識別子

この明細行が返金か、追加請求(チャージ)かを識別する識別子。\n属性:Fault=Allowance

false

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=false()]/ram:ChargeIndicator/udt:Indicator

3190

1..1

3

false

/Invoice/cac:InvoiceLine/cac:AllowanceCharge[cbc:ChargeIndicator=false()]/cbc:ChargeIndicator

6180

明細行

NC72-02

NC72

02

4

0..1

明細行返金率

BBIE

LineItem_Allowance

CalculationPercent

Percentage

この明細行の返金を計算するための率

UN01005710

BBIE

5720

IID371

明細行返金計算率

この明細行返金を計算するための率

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=false()]/ram:CalculationPercent

3220

IBT-138

0..1

3

Invoice line allowance percentage

請求書明細行の返金の率

The percentage that may be used in conjunction with the Invoice line allowance base amount to calculate the Invoice line allowance amount.

請求書明細行の返金基準金額を乗じて請求書明細行の返金金額を算出する際に使用されるパーセント。

/Invoice/cac:InvoiceLine/cac:AllowanceCharge[cbc:ChargeIndicator=false()]/cbc:MultiplierFactorNumeric

6190

明細行

NC72-03

NC72

03

4

0..1

明細行返金金額

BBIE

LineItem_Allowance

ActualAmount

Amount

この明細行の返金金額。\n契約単価×返金数量、または金額。\n契約単価×返金数量で指定できない場合には金額\n明細行取引類型コード=「資産譲渡」を指定した場合は利用しない。

UN01005713

BBIE

5730

IID372

明細行返金金額

この明細行の返金金額。\n契約単価×返金数量、または金額。\n契約単価×返金数量で指定できない場合には金額

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=false()]/ram:ActualAmount

3230

IBT-136

1..1

3

Invoice line allowance amount

請求書明細行の返金金額(税抜き)

The amount of an allowance without TAX.

返金金額(税抜き)。

/Invoice/cac:InvoiceLine/cac:AllowanceCharge[cbc:ChargeIndicator=false()]/cbc:Amount

6200

明細行

NC72-04

NC72

04

4

0..1

明細行返金理由コード

BBIE

LineItem_Allowance

ReasonCode

Code

この明細行の返金理由を識別するコード

UN01005714

BBIE

5740

IID373

明細行返金理由コード

この明細行の返金理由を識別するコード

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=false()]/ram:ReasonCode

3200

IBT-140

0..1

3

Invoice line allowance reason code

請求書明細行の返金理由コード

The reason for the Invoice line allowance expressed as a code.

請求書明細行の返金理由をコードで表現。

/Invoice/cac:InvoiceLine/cac:AllowanceCharge[cbc:ChargeIndicator=false()]/cbc:AllowanceChargeReasonCode

6210

明細行

NC72-05

NC72

05

4

0..1

明細行返金理由

BBIE

LineItem_Allowance

Reason

Text

この明細行の返金理由(内容)の説明

UN01005715

BBIE

5750

IID374

明細行返金理由

この明細行の返金理由(内容)の説明

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=false()]/ram:Reason

3210

IBT-139

0..1

3

Invoice line allowance reason

請求書明細行の返金理由

The reason for the Invoice line allowance expressed as text.

請求書明細行の返金理由をテキストで表現。

/Invoice/cac:InvoiceLine/cac:AllowanceCharge[cbc:ChargeIndicator=false()]/cbc:AllowanceChargeReason

6220

明細行

NC72-06

NC72

06

4

0..1

明細行返金基準金額

BBIE

LineItem_Allowance

BasisAmount

Amount

この明細行の返金の計算根拠となる金額

UN01008286

BBIE

5760

IID375

明細行返金計算根拠金額

この明細行返金の計算根拠となる金額

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=false()]/ram:BasisAmount

3240

IBT-137

0..1

3

Invoice line allowance base amount

請求書明細行の返金金額の基準金額

The base amount that may be used in conjunction with the Invoice line allowance percentage to calculate the Invoice line allowance amount.

請求書明細行の返金率を乗じて請求書明細行の返金金額を算出する際に使用される基準金額。

/Invoice/cac:InvoiceLine/cac:AllowanceCharge[cbc:ChargeIndicator=false()]/cbc:BaseAmount

6230

明細行

NC61-NC73

NC61

NC73

3

0..n

明細行追加請求

ASBIE

InvoiceLineItem

Charge

__

LineIte,_Charge

明細行追加請求のクラス

UN01014644

ASBIE

5770

ICL86

明細行決裁/追加請求グループ

明細行の追加請求に関するグループ\n(金額にマイナスを許容する場合は使用しない)

0..n

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=true()]

3250

IBG-28

0..n

2

INVOICE LINE CHARGES

請求書明細行の追加請求

A group of business terms providing information about charges and taxes other than TAX applicable to the individual Invoice line.

請求書明細行に適用される追加請求に関する情報を提供するビジネス用語のグループ。

/Invoice/cac:InvoiceLine/cac:AllowanceCharge[cbc:ChargeIndicator=true()]

6240

明細行

NC73-01

NC73

01

4

1..1

明細行追加請求フラグ

BBIE

LineIte,_Charge

ChargeIndicator

Indicator

この明細行が追加請求(チャージ)か識別する識別子。\n固定値 true=Charge

UN01005707

BBIE

5780

IID376

明細行返金・追加請求識別識別子

この明細行が返金か、追加請求(チャージ)かを識別する識別子。\n属性:True=Charge

true

1..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=true()]/ram:ChargeIndicator/udt:Indicator

3260

1..1

3

true

/Invoice/cac:InvoiceLine/cac:AllowanceCharge[cbc:ChargeIndicator=true()]/cbc:ChargeIndicator

6250

明細行

NC73-02

NC73

02

4

0..1

明細行追加請求率

BBIE

LineIte,_Charge

CalculationPercent

Percentage

この明細行の追加請求を計算するための率

UN01005710

BBIE

5790

IID377

明細行追加請求計算率

この明細行追加請求を計算するための率

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=true()]/ram:CalculationPercent

3290

IBT-143

0..1

3

Invoice line charge percentage

請求書明細行の追加請求の率

The percentage that may be used in conjunction with the Invoice line charge base amount to calculate the Invoice line charge amount.

請求書明細行の追加請求基準金額に対して請求書明細行の追加請求金額の計算に使用するパーセント。

/Invoice/cac:InvoiceLine/cac:AllowanceCharge[cbc:ChargeIndicator=true()]/cbc:MultiplierFactorNumeric

6260

明細行

NC73-03

NC73

03

4

0..1

明細行追加請求金額

BBIE

LineIte,_Charge

ActualAmount

Amount

この明細行の追加請求金額。\n契約単価×追加請求数量、または金額。\n契約単価×追加請求数量で指定できない場合には金額\n明細行取引類型コード=「資産譲渡」を指定した場合は利用しない。

UN01005713

BBIE

5800

IID378

明細行追加請求金額

この明細行の追加請求金額。\n契約単価×追加請求数量、または金額。\n契約単価×追加請求数量で指定できない場合には金額

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=true()]/ram:ActualAmount

3300

IBT-141

1..1

3

Invoice line charge amount

請求書明細行の追加請求金額(税抜き)

The amount of a charge without TAX.

追加請求金額(税抜き)。

/Invoice/cac:InvoiceLine/cac:AllowanceCharge[cbc:ChargeIndicator=true()]/cbc:Amount

6270

明細行

NC73-04

NC73

04

4

0..1

明細行追加請求理由コード

BBIE

LineIte,_Charge

ReasonCode

Code

この明細行の追加請求理由を識別するコード

UN01005714

BBIE

5810

IID379

明細行追加請求理由コード

この明細行の追加請求理由を識別するコード

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=true()]/ram:ReasonCode

3270

IBT-145

0..1

3

Invoice line charge reason code

請求書明細行の追加請求理由コード

The reason for the Invoice line charge expressed as a code.

請求書明細行の追加請求理由をコードで表現。

/Invoice/cac:InvoiceLine/cac:AllowanceCharge[cbc:ChargeIndicator=true()]/cbc:AllowanceChargeReasonCode

6280

明細行

NC73-05

NC73

05

4

0..1

明細行追加請求理由

BBIE

LineIte,_Charge

Reason

Text

この明細行の追加請求理由(内容)の説明

UN01005715

BBIE

5820

IID380

明細行追加請求理由

この明細行の追加請求理由(内容)の説明

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=true()]/ram:Reason

3280

IBT-144

0..1

3

Invoice line charge reason

請求書明細行の追加請求理由

The reason for the Invoice line charge expressed as text.

請求書明細行の追加請求理由をテキストで表現。

/Invoice/cac:InvoiceLine/cac:AllowanceCharge[cbc:ChargeIndicator=true()]/cbc:AllowanceChargeReason

6290

明細行

NC73-06

NC73

06

4

0..1

明細行追加請求基準金額

BBIE

LineIte,_Charge

BasisAmount

Amount

この明細行の追加請求の計算根拠となる金額

UN01008286

BBIE

5830

IID381

明細行追加請求計算根拠金額

この明細行追加請求の計算根拠となる金額

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:SpecifiedCITradeAllowanceCharge[ram:ChargeIndicator/udt:Indicator=true()]/ram:BasisAmount

3310

IBT-142

0..1

3

Invoice line charge base amount

請求書明細行の追加請求の基準金額

The base amount that may be used in conjunction with the Invoice line charge percentage to calculate the Invoice line charge amount.

請求書明細行の追加請求金額を計算するために、請求書明細行の追加請求率が適用される基準金額。

/Invoice/cac:InvoiceLine/cac:AllowanceCharge[cbc:ChargeIndicator=true()]/cbc:BaseAmount

6300

明細行

NC61-NC74

NC61

NC74

3

0..n

明細行調整

ASBIE

InvoiceLineItem

Specified

__

LineItem_FinancialAdjustment

明細行決済の調整に関するグループ

UN01014643

ASBIE

5840

ICL87

明細行決済/調整グループ

明細行決済の調整に関するグループ

0..n

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:SpecifiedCIFinancialAdjustment

6310

明細行

NC74-01

NC74

01

4

0..1

明細行調整理由コード

BBIE

LineItem_FinancialAdjustment

ReasonCode

Code

この明細行の調整理由を示す識別コード

UN01005488

BBIE

5850

IID382

明細行調整理由コード

この明細行の調整理由を示す識別コード

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:SpecifiedCIFinancialAdjustment/ram:ReasonCode

6320

明細行

NC74-02

NC74

02

4

0..1

明細行調整理由

BBIE

LineItem_FinancialAdjustment

Reason

Text

この明細行の調整理由を文字で表現した内容

UN01005489

BBIE

5860

IID383

明細行調整理由

この明細行の調整理由を文字で表現した内容

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:SpecifiedCIFinancialAdjustment/ram:Reason

6330

明細行

NC74-03

NC74

03

4

1..1

明細行調整金額

BBIE

LineItem_FinancialAdjustment

ActualAmount

Amount

この明細行の調整金額\n調整ユースケースの場合は必須

UN01005490

BBIE

5870

IID384

明細行調整金額

この明細行の調整金額\n調整ユースケースの場合は必須

0

1..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeSettlement/ram:SpecifiedCIFinancialAdjustment/ram:ActualAmount

6340

明細行

NC61-NC75

NC61

NC75

3

1..1

取引品目

ASBIE

InvoiceLineItem

Applicable

__

Product

取引品目に関する情報のグループ

UN01010016

ASBIE

5950

ICL90

明細行/取引品目グループ

取引品目に関する情報からなるクラス。

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:ApplicableCITradeProduct

3320

IBG-31

1..1

2

ITEM INFORMATION

品目情報

A group of business terms providing information about the goods and services invoiced.

請求する財又はサービスに係る情報を提供するビジネス用語のグループ。

/Invoice/cac:InvoiceLine/cac:Item

6350

明細行

NC75-01

NC75

01

4

0..1

品目コード

BBIE

Product

ID

Code

品名を特定するために付与したコード

UN01005810

BBIE

5960

IID389

品目コード

品名を特定するために付与したコード

0..1

5

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:ApplicableCITradeProduct/ram:ID

6360

明細行

NC75-02

NC75

02

4

0..1

品目標準ID

BBIE

Product

GlobalID

Identifier

GTIN、JAN識別子などの国際的に登録された品目識別子

UN01005811

BBIE

5970

IID390

グローバル品目識別子

GTIN、JAN識別子などの国際的に登録された品目識別子

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:ApplicableCITradeProduct/ram:GlobalID

3370

IBT-157

0..1

3

Item standard identifier

品目標準ID

An item identifier based on a registered scheme.

登録されているスキーマに基づいた品目ID。

/Invoice/cac:InvoiceLine/cac:Item/cac:StandardItemIdentification/cbc:ID

6370

明細行

NC75-03

NC75

03

4

1..1

スキーマID

BBIE

Product

GlobalIDSchemeID

Code

使用する場合、識別スキーマは、ISO/IEC 6523 保守機関が公開しているリストから選択しなければならない。

3380

IBT-157-1

1..1

4

Item standard identifier Scheme identifier

スキーマID

The identification scheme shall be identified from the entries of the list published by the ISO/IEC 6523 maintenance agency.

使用する場合、識別スキーマは、ISO/IEC 6523 保守機関が公開しているリストから選択しなければならない。

/Invoice/cac:InvoiceLine/cac:Item/cac:StandardItemIdentification/cbc:ID/@schemeID

6380

明細行

NC75-04

NC75

04

4

0..1

買い手による品目ID

BBIE

Product

SellerAssignedID

Identifier

売り手が品目を特定するために付与した識別子

UN01005812

BBIE

5980

IID391

受注者品目識別子

受注者が品目を特定するために付与した識別子

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:ApplicableCITradeProduct/ram:SellerAssignedID

3350

IBT-156

0..1

3

Item Buyer’s identifier

買い手による品目ID

An identifier assigned by the Buyer for the item.

買い手が取引品目に割当てたID

/Invoice/cac:InvoiceLine/cac:Item/cac:BuyersItemIdentification/cbc:ID

6390

明細行

NC75-05

NC75

05

4

0..1

売り手による品目ID

BBIE

Product

BuyerAssignedID

Identifier

発注者が品目を特定するために付与した識別子

UN01005813

BBIE

5990

IID392

発注者品目識別子

発注者が品目を特定するために付与した識別子

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:ApplicableCITradeProduct/ram:BuyerAssignedID

3360

IBT-155

0..1

3

Item Seller’s identifier

売り手による品目ID

An identifier assigned by the Seller for the item.

売り手が取引品目に割当てたID

/Invoice/cac:InvoiceLine/cac:Item/cac:SellersItemIdentification/cbc:ID

6400

明細行

NC75-06

NC75

06

4

0..n

メーカー品目識別子

BBIE

Product

ManufacturerAssignedID

Code

品目を特定するために製造者が付与した識別子

UN01005814

BBIE

6000

IID393

メーカー品目識別子

品目を特定するために製造者が付与した識別子

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:ApplicableCITradeProduct/ram:ManufacturerAssignedID

6410

明細行

NC75-07

NC75

07

4

0..1

品名

BBIE

Product

Name

Text

この取引の品名。

UN01005815

BBIE

6010

IID394

品名

この取引の品名。

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:ApplicableCITradeProduct/ram:Name

3340

IBT-153

1..1

3

Item name

品名

A name for an item.

取引品目の品名。

/Invoice/cac:InvoiceLine/cac:Item/cbc:Name

6420

明細行

NC75-08

NC75

08

4

1..1

品目摘要

BBIE

Product

Description

Text

この取引品目内容を文字で説明したもの

UN01005817

BBIE

6020

IID395

品目摘要

この取引品目内容を文字で説明したもの

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:ApplicableCITradeProduct/ram:Description

3330

IBT-154

0..1

3

Item description

品目摘要

A description for an item.

取引品目を説明した文章。

/Invoice/cac:InvoiceLine/cac:Item/cbc:Description

6430

明細行

NC75-09

NC75

09

4

0..1

品目タイプコード

BBIE

Product

TypeCode

Code

品目のタイプ(定貫品目、不定貫品目、ハイブリッド品目)を識別するコード\nデフォルトは定貫品目

UN01005818

BBIE

6030

IID396

品目タイプコード

品目のタイプ(定貫品目、不定貫品目、ハイブリッド品目)を識別するコード\nデフォルトは定貫品目

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:ApplicableCITradeProduct/ram:TypeCode

6440

明細行

NC75-10

NC75

10

4

0..n

品目分類ID

BBIE

Product

ProductGroupID

Code

この取引品目の分類の識別子

UN01008524

BBIE

6040

IID397

品目分類

この取引品目の分類の識別子

0..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:ApplicableCITradeProduct/ram:ProductGroupID

6450

明細行

NC75-11

NC75

11

4

0..1

品目の原産国

BBIE

Product

CountryID

Code

この取引品目の原産国を識別するコード

UN01005736

BBIE

6090

IID400

原産国コード

この取引品目の原産国を識別するコード

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:ApplicableCITradeProduct/ram:OriginCITradeCountry/ram:ID

3390

IBT-159

0..1

3

Item country of origin

品目の原産国

The code identifying the country from which the item originates.

品目の原産国を識別するコード。

/Invoice/cac:InvoiceLine/cac:Item/cac:OriginCountry/cbc:IdentificationCode

6460

明細行

NC75-12

NC75

12

4

0..n

品目分類ID

BBIE

Product

ItemClassificationCode

Identifier

種類や性質によって品目を分類するコード。

3400

IBT-158

0..n

3

Item classification identifier

品目分類ID

A code for classifying the item by its type or nature.

種類や性質によって品目を分類するコード。

/Invoice/cac:InvoiceLine/cac:Item/cac:CommodityClassification/cbc:ItemClassificationCode

6470

明細行

NC75-13

NC75

13

4

1..1

スキーマID

BBIE

Product

ItemClassificationCodeSchemeID

Code

品目分類IDの識別スキーマIDは、UNTDID 7143にある項目から選択すること。

3410

IBT-158-1

1..1

4

Item classification identifier Scheme identifier

スキーマID

The identification scheme shall be chosen from the entries in UNTDID 7143 [6].

品目分類IDの識別スキーマIDは、UNTDID 7143にある項目から選択すること。

/Invoice/cac:InvoiceLine/cac:Item/cac:CommodityClassification/cbc:ItemClassificationCode/@listID

6480

明細行

NC75-14

NC75

14

4

0..1

スキーマのバージョンID

BBIE

Product

ItemClassificationCodeSchemeVersionID

Code

スキーマのバージョン。

3420

IBT-158-2

0..1

4

Item classification identifier Scheme version identifier

スキーマのバージョンID

The version of the identification scheme.

スキーマのバージョン。

/Invoice/cac:InvoiceLine/cac:Item/cac:CommodityClassification/cbc:ItemClassificationCode/@listVersionID

6490

明細行

NC61-NC76

NC61

NC76

3

1..1

契約単価

ASBIE

InvoiceLineItem

NetPriceProduct

__

Price

明細行の契約単価に関する情報のグループ

UN01009658

ASBIE

5380

ICL80

明細行契約/契約単価グループ

明細行の契約単価に関する情報からなるクラス。

1..1

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeAgreement/ram:NetPriceProductCITradePrice

3500

IBG-29

1..1

2

PRICE DETAILS

取引価格詳細

A group of business terms providing information about the price applied for the goods and services invoiced on the Invoice line.

請求書明細行で請求する財又はサービスに適用される価格に係る情報を提供するビジネス用語のグループ。

/Invoice/cac:InvoiceLine/cac:Price

6500

明細行

NC76-01

NC76

01

4

0..1

単価コード

BBIE

Price

TypeCode

Code

単価の区分(確定、仮単価等)を識別するコード

UN01005791

BBIE

5390

IID345

単価コード

単価の区分(確定、仮単価等)を識別するコード

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeAgreement/ram:NetPriceProductCITradePrice/ram:TypeCode

6510

明細行

NC76-02

NC76

02

4

1..1

品目単価(値引後)(税抜き)

BBIE

Price

ChargeAmount

Unit Price Amount

発注者と売り手が合意した明細発注品の単価。単価基準数量と単価基準数量単位の指定に従う。\n税込み、税抜きの識別はヘッダ部の「UN01013096:税計算方式」で指定(指定がない場合(デフォルト)は税抜き)。

UN01005792

BBIE

5400

IID346

契約単価

発注者と受注者が合意した明細発注品の単価。単価基準数量と単価基準数量単位の指定に従う。\n税込み、税抜きの識別はヘッダ部の「UN01013096:税計算方式」で指定(指定がない場合(デフォルト)は税抜き)。

1..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeAgreement/ram:NetPriceProductCITradePrice/ram:ChargeAmount

3510

IBT-146

1..1

3

Item net price

品目単価(値引後)(税抜き)

The price of an item exclusive of TAX after subtracting item price discount.

値引金額を差し引いた後の、消費税を除く品目単価。

/Invoice/cac:InvoiceLine/cac:Price/cbc:PriceAmount

6520

明細行

NC76-03

NC76

03

4

0..1

品目単価(値引後)(税込み)

BBIE

Price

TaxIncludedChargeAmount

Unit Price Amount

6530

明細行

NC76-04

NC76

04

4

0..1

品目単価値引(税抜き)

BBIE

Price

PriceDiscount

Unit Price Amount

3550

ibt-147

0..1

3

Item price discount

品目単価値引(税抜き)

The total discount subtracted from the Item gross price to calculate the Item net price.

品目単価(値引後)(税抜き)を計算するために、品目単価(値引前)(税抜き)から差し引かれる値引。

/Invoice/cac:InvoiceLine/cac:Price/cac:AllowanceCharge[cbc:ChargeIndicator=false()]/cbc:Amount

6540

明細行

NC76-05

NC76

05

4

0..1

品目単価追加請求フラグ

BBIE

Price

ChargeIndicator

Indicator

3540

1..1

3

false

/Invoice/cac:InvoiceLine/cac:Price/cac:AllowanceCharge/cbc:ChargeIndicator

6550

明細行

NC76-06

NC76

06

4

0..1

品目単価(値引前)(税抜き)

BBIE

Price

BaseAmount

Unit Price Amount

3560

ibt-148

0..1

3

Item gross price

品目単価(値引前)(税抜き)

The unit price exclusive of TAX before subtracting Item price discount.

値引(税抜き)を差し引く前の、品目単価(税抜き)。

/Invoice/cac:InvoiceLine/cac:Price/cac:AllowanceCharge[cbc:ChargeIndicator=false()]/cbc:BaseAmount

6560

明細行

NC76-07

NC76

07

4

0..1

単価基準数量

BBIE

Price

BasisQuantity

Quantity

不定貫品目(個数でカウントできない品目)の場合:\n 単価基準数量=単価の基準となる重量・容量\n定貫品目(個数でカウントできる品目)の場合:\n 単価基準数量=1(デフォルト)

UN01005793

BBIE

5410

IID347

単価基準数量

不定貫品目(個数でカウントできない品目)の場合:\n 単価基準数量=単価の基準となる重量・容量\n定貫品目(個数でカウントできる品目)の場合:\n 単価基準数量=1(デフォルト)

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeAgreement/ram:NetPriceProductCITradePrice/ram:BasisQuantity

3520

IBT-149

0..1

3

Item price base quantity

品目単価基準数量

The number of item units to which the price applies.

単価が適用される品目の数量単位での基準数。

/Invoice/cac:InvoiceLine/cac:Price/cbc:BaseQuantity

6570

明細行

NC76-08

NC76

08

4

0..1

単価基準数量単位コード

BBIE

Price

UnitCode

Code

単価基準数量単位のコード名

5420

単価基準数量単位コード

単価基準数量単位のコード名

0..1

8

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:SpecifiedCIILBSupplyChainTradeAgreement/ram:NetPriceProductCITradePrice/ram:BasisQuantity/@unitCode

3530

IBT-150

0..1

3

Item price base quantity unit of measure code

品目単価基準数量の数量単位コード

The unit of measure that applies to the Item price base quantity.

品目単価基準数量に適用される数量単位。

/Invoice/cac:InvoiceLine/cac:Price/cbc:BaseQuantity/@unitCode

6580

明細行

NC61-NC77

NC61

NC77

3

0..n

品目属性

ASBIE

InvoiceLineItem

Applicable

__

ProductCharacteristic

取引品目の属性のグループ

UN01005821

ASBIE

6060

ICL91

取引品目クラス/品目特性グループ

取引品目の特性に関するグループ

0..n

6

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:ApplicableCITradeProduct/ram:ApplicableCIProductCharacteristic

3470

IBG-32

0..n

3

ITEM ATTRIBUTES

品目属性

A group of business terms providing information about properties of the goods and services invoiced.

品目およびサービスのプロパティに関する情報を提供するビジネス用語のグループ。

/Invoice/cac:InvoiceLine/cac:Item/cac:AdditionalItemProperty

6590

明細行

NC77-01

NC77

01

4

1..1

品目属性名

BBIE

ProductCharacteristic

Description

Text

この取引品目の属性を文字で説明したもの

UN01005570

BBIE

6070

IID398

取引品目特性内容

この取引品目内容を文字で説明したもの

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:ApplicableCITradeProduct/ram:ApplicableCIProductCharacteristic/ram:Description

3480

IBT-160

1..1

4

Item attribute name

品目属性名

The name of the attribute or property of the item.

品目の属性またはプロパティの名称。

/Invoice/cac:InvoiceLine/cac:Item/cac:AdditionalItemProperty/cbc:Name

6600

明細行

NC77-02

NC77

02

4

1..1

品目属性値

BBIE

ProductCharacteristic

Value

Text

この取引品目の属性の値

UN01011457

BBIE

6080

IID399

品目特性値

この取引品目特性の値

0..1

7

/rsm:SMEinvoice/rsm:CIIHSupplyChainTradeTransaction/ram:IncludedCIILSupplyChainTradeLineItem/ram:SubordinateCIILBSubordinateTradeLineItem/ram:ApplicableCITradeProduct/ram:ApplicableCIProductCharacteristic/ram:Value

3490

IBT-161

1..1

4

Item attribute value

品目属性値

The value of the attribute or property of the item.

品目の属性またはプロパティの値。

/Invoice/cac:InvoiceLine/cac:Item/cac:AdditionalItemProperty/cbc:Value


投稿日

カテゴリー:

, , ,

投稿者:

タグ:

コメント

コメントを残す

メールアドレスが公開されることはありません。 が付いている欄は必須項目です